DB_PASSWORD=database_user_password
# Mail system to use
-# Can be 'smtp', 'mail' or 'sendmail'
+# Can be 'smtp' or 'sendmail'
MAIL_DRIVER=smtp
+# Mail sender options
+MAIL_FROM_NAME=BookStack
+
# SMTP mail options
MAIL_HOST=localhost
MAIL_PORT=1025
# Valid timezone values can be found here: https://www.php.net/manual/en/timezones.php
APP_TIMEZONE=UTC
+# Application theme
+# Used to specific a themes/<APP_THEME> folder where BookStack UI
+# overrides can be made. Defaults to disabled.
+APP_THEME=false
+
# Database details
# Host can contain a port (localhost:3306) or a separate DB_PORT option can be used.
DB_HOST=localhost
STORAGE_URL=false
# Authentication method to use
-# Can be 'standard' or 'ldap'
+# Can be 'standard', 'ldap' or 'saml2'
AUTH_METHOD=standard
# Social authentication configuration
LDAP_USER_FILTER=false
LDAP_VERSION=false
LDAP_TLS_INSECURE=false
+LDAP_ID_ATTRIBUTE=uid
LDAP_EMAIL_ATTRIBUTE=mail
LDAP_DISPLAY_NAME_ATTRIBUTE=cn
LDAP_FOLLOW_REFERRALS=true
+LDAP_DUMP_USER_DETAILS=false
# LDAP group sync configuration
# Refer to https://www.bookstackapp.com/docs/admin/ldap-auth/
# SAML authentication configuration
# Refer to https://www.bookstackapp.com/docs/admin/saml2-auth/
SAML2_NAME=SSO
-SAML2_ENABLED=false
-SAML2_AUTO_REGISTER=true
SAML2_EMAIL_ATTRIBUTE=email
SAML2_DISPLAY_NAME_ATTRIBUTES=username
SAML2_EXTERNAL_ID_ATTRIBUTE=null
# Contents of the robots.txt file can be overridden, making this option obsolete.
ALLOW_ROBOTS=null
+# The default and maximum item-counts for listing API requests.
+API_DEFAULT_ITEM_COUNT=100
+API_MAX_ITEM_COUNT=500
+
+# The number of API requests that can be made per minute by a single user.
+API_REQUESTS_PER_MIN=180
\ No newline at end of file
@CliffyPrime :: German
@kejjang :: Chinese Traditional
@TheLastOperator :: French
-@qianmengnet :: Chinese Simplified
-@ezzra :: German Informal
+@qianmengnet :: Simplified Chinese
+@ezzra :: German; German Informal
@vasiliev123 :: Polish
@Mant1kor :: Ukrainian
-@Xiphoseer German; German Informal
+@Xiphoseer :: German; German Informal
@maantje :: Dutch
@cima :: Czech
@agvol :: Russian
@danielroehrig-mm :: German
@oykenfurkan :: Turkish
@qligier :: French
+@johnroyer :: Traditional Chinese
+@artskoczylas :: Polish
+@dellamina :: Italian
+@jzoy :: Simplified Chinese
+@ististudio :: Korean
+@leomartinez :: Spanish Argentina
cipi1965 :: Italian
Mykola Ronik (Mantikor) :: Ukrainian
furkanoyk :: Turkish
m0uch0 :: Spanish
Maxim Zalata (zlatin) :: Russian; Ukrainian
nutsflag :: French
-Leonardo Mario Martinez (leonardo.m.martinez) :: Spanish, Argentina
\ No newline at end of file
+Leonardo Mario Martinez (leonardo.m.martinez) :: Spanish, Argentina
+Rodrigo Saczuk Niz (rodrigoniz) :: Portuguese, Brazilian
+叫钦叔就好 (254351722) :: Chinese Traditional; Chinese Simplified
+aekramer :: Dutch
+JachuPL :: Polish
+milesteg :: Hungarian
+Beenbag :: German
+Lett3rs :: Danish
+Julian (julian.henneberg) :: German; German Informal
+3GNWn :: Danish
+dbguichu :: Chinese Simplified
+Randy Kim (hyunjun) :: Korean
+Francesco M. Taurino (ftaurino) :: Italian
+DanielFrederiksen :: Danish
+Finn Wessel (19finnwessel6) :: German
+Gustav Kånåhols (Kurbitz) :: Swedish
name: phpunit
-on: [push, pull_request]
+on:
+ push:
+ branches:
+ - master
+ - release
+ pull_request:
+ branches:
+ - '*'
+ - '*/*'
+ - '!l10n_master'
jobs:
build:
php: [7.2, 7.3]
steps:
- uses: actions/checkout@v1
+
+ - name: Get Composer Cache Directory
+ id: composer-cache
+ run: |
+ echo "::set-output name=dir::$(composer config cache-files-dir)"
+
+ - name: Cache composer packages
+ uses: actions/cache@v1
+ with:
+ path: ${{ steps.composer-cache.outputs.dir }}
+ key: ${{ runner.os }}-composer-${{ matrix.php }}
+
- name: Setup Database
run: |
mysql -uroot -proot -e 'CREATE DATABASE IF NOT EXISTS `bookstack-test`;'
mysql -uroot -proot -e "CREATE USER 'bookstack-test'@'localhost' IDENTIFIED BY 'bookstack-test';"
mysql -uroot -proot -e "GRANT ALL ON \`bookstack-test\`.* TO 'bookstack-test'@'localhost';"
mysql -uroot -proot -e 'FLUSH PRIVILEGES;'
+
- name: Install composer dependencies & Test
run: composer install --prefer-dist --no-interaction --ansi
+
- name: Migrate and seed the database
run: |
php${{ matrix.php }} artisan migrate --force -n --database=mysql_testing
php${{ matrix.php }} artisan db:seed --force -n --class=DummyContentSeeder --database=mysql_testing
+
- name: phpunit
run: php${{ matrix.php }} ./vendor/bin/phpunit
.project
.settings/
webpack-stats.json
-.phpunit.result.cache
\ No newline at end of file
+.phpunit.result.cache
+.DS_Store
\ No newline at end of file
The MIT License (MIT)
-Copyright (c) 2018 Dan Brown and the BookStack Project contributors
+Copyright (c) 2020 Dan Brown and the BookStack Project contributors
https://github.com/BookStackApp/BookStack/graphs/contributors
Permission is hereby granted, free of charge, to any person obtaining a copy
--- /dev/null
+<?php namespace BookStack\Api;
+
+use BookStack\Http\Controllers\Api\ApiController;
+use Illuminate\Support\Collection;
+use Illuminate\Support\Facades\Route;
+use ReflectionClass;
+use ReflectionException;
+use ReflectionMethod;
+
+class ApiDocsGenerator
+{
+
+ protected $reflectionClasses = [];
+ protected $controllerClasses = [];
+
+ /**
+ * Generate API documentation.
+ */
+ public function generate(): Collection
+ {
+ $apiRoutes = $this->getFlatApiRoutes();
+ $apiRoutes = $this->loadDetailsFromControllers($apiRoutes);
+ $apiRoutes = $this->loadDetailsFromFiles($apiRoutes);
+ $apiRoutes = $apiRoutes->groupBy('base_model');
+ return $apiRoutes;
+ }
+
+ /**
+ * Load any API details stored in static files.
+ */
+ protected function loadDetailsFromFiles(Collection $routes): Collection
+ {
+ return $routes->map(function (array $route) {
+ $exampleTypes = ['request', 'response'];
+ foreach ($exampleTypes as $exampleType) {
+ $exampleFile = base_path("dev/api/{$exampleType}s/{$route['name']}.json");
+ $exampleContent = file_exists($exampleFile) ? file_get_contents($exampleFile) : null;
+ $route["example_{$exampleType}"] = $exampleContent;
+ }
+ return $route;
+ });
+ }
+
+ /**
+ * Load any details we can fetch from the controller and its methods.
+ */
+ protected function loadDetailsFromControllers(Collection $routes): Collection
+ {
+ return $routes->map(function (array $route) {
+ $method = $this->getReflectionMethod($route['controller'], $route['controller_method']);
+ $comment = $method->getDocComment();
+ $route['description'] = $comment ? $this->parseDescriptionFromMethodComment($comment) : null;
+ $route['body_params'] = $this->getBodyParamsFromClass($route['controller'], $route['controller_method']);
+ return $route;
+ });
+ }
+
+ /**
+ * Load body params and their rules by inspecting the given class and method name.
+ * @throws \Illuminate\Contracts\Container\BindingResolutionException
+ */
+ protected function getBodyParamsFromClass(string $className, string $methodName): ?array
+ {
+ /** @var ApiController $class */
+ $class = $this->controllerClasses[$className] ?? null;
+ if ($class === null) {
+ $class = app()->make($className);
+ $this->controllerClasses[$className] = $class;
+ }
+
+ $rules = $class->getValdationRules()[$methodName] ?? [];
+ foreach ($rules as $param => $ruleString) {
+ $rules[$param] = explode('|', $ruleString);
+ }
+ return count($rules) > 0 ? $rules : null;
+ }
+
+ /**
+ * Parse out the description text from a class method comment.
+ */
+ protected function parseDescriptionFromMethodComment(string $comment)
+ {
+ $matches = [];
+ preg_match_all('/^\s*?\*\s((?![@\s]).*?)$/m', $comment, $matches);
+ return implode(' ', $matches[1] ?? []);
+ }
+
+ /**
+ * Get a reflection method from the given class name and method name.
+ * @throws ReflectionException
+ */
+ protected function getReflectionMethod(string $className, string $methodName): ReflectionMethod
+ {
+ $class = $this->reflectionClasses[$className] ?? null;
+ if ($class === null) {
+ $class = new ReflectionClass($className);
+ $this->reflectionClasses[$className] = $class;
+ }
+
+ return $class->getMethod($methodName);
+ }
+
+ /**
+ * Get the system API routes, formatted into a flat collection.
+ */
+ protected function getFlatApiRoutes(): Collection
+ {
+ return collect(Route::getRoutes()->getRoutes())->filter(function ($route) {
+ return strpos($route->uri, 'api/') === 0;
+ })->map(function ($route) {
+ [$controller, $controllerMethod] = explode('@', $route->action['uses']);
+ $baseModelName = explode('.', explode('/', $route->uri)[1])[0];
+ $shortName = $baseModelName . '-' . $controllerMethod;
+ return [
+ 'name' => $shortName,
+ 'uri' => $route->uri,
+ 'method' => $route->methods[0],
+ 'controller' => $controller,
+ 'controller_method' => $controllerMethod,
+ 'base_model' => $baseModelName,
+ ];
+ });
+ }
+
+}
\ No newline at end of file
--- /dev/null
+<?php namespace BookStack\Api;
+
+use BookStack\Auth\User;
+use Illuminate\Database\Eloquent\Model;
+use Illuminate\Database\Eloquent\Relations\BelongsTo;
+use Illuminate\Support\Carbon;
+
+class ApiToken extends Model
+{
+ protected $fillable = ['name', 'expires_at'];
+ protected $casts = [
+ 'expires_at' => 'date:Y-m-d'
+ ];
+
+ /**
+ * Get the user that this token belongs to.
+ */
+ public function user(): BelongsTo
+ {
+ return $this->belongsTo(User::class);
+ }
+
+ /**
+ * Get the default expiry value for an API token.
+ * Set to 100 years from now.
+ */
+ public static function defaultExpiry(): string
+ {
+ return Carbon::now()->addYears(100)->format('Y-m-d');
+ }
+}
--- /dev/null
+<?php
+
+namespace BookStack\Api;
+
+use BookStack\Exceptions\ApiAuthException;
+use Illuminate\Auth\GuardHelpers;
+use Illuminate\Contracts\Auth\Authenticatable;
+use Illuminate\Contracts\Auth\Guard;
+use Illuminate\Support\Carbon;
+use Illuminate\Support\Facades\Hash;
+use Symfony\Component\HttpFoundation\Request;
+
+class ApiTokenGuard implements Guard
+{
+
+ use GuardHelpers;
+
+ /**
+ * The request instance.
+ */
+ protected $request;
+
+
+ /**
+ * The last auth exception thrown in this request.
+ * @var ApiAuthException
+ */
+ protected $lastAuthException;
+
+ /**
+ * ApiTokenGuard constructor.
+ */
+ public function __construct(Request $request)
+ {
+ $this->request = $request;
+ }
+
+ /**
+ * @inheritDoc
+ */
+ public function user()
+ {
+ // Return the user if we've already retrieved them.
+ // Effectively a request-instance cache for this method.
+ if (!is_null($this->user)) {
+ return $this->user;
+ }
+
+ $user = null;
+ try {
+ $user = $this->getAuthorisedUserFromRequest();
+ } catch (ApiAuthException $exception) {
+ $this->lastAuthException = $exception;
+ }
+
+ $this->user = $user;
+ return $user;
+ }
+
+ /**
+ * Determine if current user is authenticated. If not, throw an exception.
+ *
+ * @return \Illuminate\Contracts\Auth\Authenticatable
+ *
+ * @throws ApiAuthException
+ */
+ public function authenticate()
+ {
+ if (! is_null($user = $this->user())) {
+ return $user;
+ }
+
+ if ($this->lastAuthException) {
+ throw $this->lastAuthException;
+ }
+
+ throw new ApiAuthException('Unauthorized');
+ }
+
+ /**
+ * Check the API token in the request and fetch a valid authorised user.
+ * @throws ApiAuthException
+ */
+ protected function getAuthorisedUserFromRequest(): Authenticatable
+ {
+ $authToken = trim($this->request->headers->get('Authorization', ''));
+ $this->validateTokenHeaderValue($authToken);
+
+ [$id, $secret] = explode(':', str_replace('Token ', '', $authToken));
+ $token = ApiToken::query()
+ ->where('token_id', '=', $id)
+ ->with(['user'])->first();
+
+ $this->validateToken($token, $secret);
+
+ return $token->user;
+ }
+
+ /**
+ * Validate the format of the token header value string.
+ * @throws ApiAuthException
+ */
+ protected function validateTokenHeaderValue(string $authToken): void
+ {
+ if (empty($authToken)) {
+ throw new ApiAuthException(trans('errors.api_no_authorization_found'));
+ }
+
+ if (strpos($authToken, ':') === false || strpos($authToken, 'Token ') !== 0) {
+ throw new ApiAuthException(trans('errors.api_bad_authorization_format'));
+ }
+ }
+
+ /**
+ * Validate the given secret against the given token and ensure the token
+ * currently has access to the instance API.
+ * @throws ApiAuthException
+ */
+ protected function validateToken(?ApiToken $token, string $secret): void
+ {
+ if ($token === null) {
+ throw new ApiAuthException(trans('errors.api_user_token_not_found'));
+ }
+
+ if (!Hash::check($secret, $token->secret)) {
+ throw new ApiAuthException(trans('errors.api_incorrect_token_secret'));
+ }
+
+ $now = Carbon::now();
+ if ($token->expires_at <= $now) {
+ throw new ApiAuthException(trans('errors.api_user_token_expired'), 403);
+ }
+
+ if (!$token->user->can('access-api')) {
+ throw new ApiAuthException(trans('errors.api_user_no_api_permission'), 403);
+ }
+ }
+
+ /**
+ * @inheritDoc
+ */
+ public function validate(array $credentials = [])
+ {
+ if (empty($credentials['id']) || empty($credentials['secret'])) {
+ return false;
+ }
+
+ $token = ApiToken::query()
+ ->where('token_id', '=', $credentials['id'])
+ ->with(['user'])->first();
+
+ if ($token === null) {
+ return false;
+ }
+
+ return Hash::check($credentials['secret'], $token->secret);
+ }
+
+ /**
+ * "Log out" the currently authenticated user.
+ */
+ public function logout()
+ {
+ $this->user = null;
+ }
+}
\ No newline at end of file
--- /dev/null
+<?php namespace BookStack\Api;
+
+use Illuminate\Database\Eloquent\Builder;
+use Illuminate\Database\Eloquent\Collection;
+use Illuminate\Http\Request;
+
+class ListingResponseBuilder
+{
+
+ protected $query;
+ protected $request;
+ protected $fields;
+
+ protected $filterOperators = [
+ 'eq' => '=',
+ 'ne' => '!=',
+ 'gt' => '>',
+ 'lt' => '<',
+ 'gte' => '>=',
+ 'lte' => '<=',
+ 'like' => 'like'
+ ];
+
+ /**
+ * ListingResponseBuilder constructor.
+ */
+ public function __construct(Builder $query, Request $request, array $fields)
+ {
+ $this->query = $query;
+ $this->request = $request;
+ $this->fields = $fields;
+ }
+
+ /**
+ * Get the response from this builder.
+ */
+ public function toResponse()
+ {
+ $data = $this->fetchData();
+ $total = $this->query->count();
+
+ return response()->json([
+ 'data' => $data,
+ 'total' => $total,
+ ]);
+ }
+
+ /**
+ * Fetch the data to return in the response.
+ */
+ protected function fetchData(): Collection
+ {
+ $this->applyCountAndOffset($this->query);
+ $this->applySorting($this->query);
+ $this->applyFiltering($this->query);
+
+ return $this->query->get($this->fields);
+ }
+
+ /**
+ * Apply any filtering operations found in the request.
+ */
+ protected function applyFiltering(Builder $query)
+ {
+ $requestFilters = $this->request->get('filter', []);
+ if (!is_array($requestFilters)) {
+ return;
+ }
+
+ $queryFilters = collect($requestFilters)->map(function ($value, $key) {
+ return $this->requestFilterToQueryFilter($key, $value);
+ })->filter(function ($value) {
+ return !is_null($value);
+ })->values()->toArray();
+
+ $query->where($queryFilters);
+ }
+
+ /**
+ * Convert a request filter query key/value pair into a [field, op, value] where condition.
+ */
+ protected function requestFilterToQueryFilter($fieldKey, $value): ?array
+ {
+ $splitKey = explode(':', $fieldKey);
+ $field = $splitKey[0];
+ $filterOperator = $splitKey[1] ?? 'eq';
+
+ if (!in_array($field, $this->fields)) {
+ return null;
+ }
+
+ if (!in_array($filterOperator, array_keys($this->filterOperators))) {
+ $filterOperator = 'eq';
+ }
+
+ $queryOperator = $this->filterOperators[$filterOperator];
+ return [$field, $queryOperator, $value];
+ }
+
+ /**
+ * Apply sorting operations to the query from given parameters
+ * otherwise falling back to the first given field, ascending.
+ */
+ protected function applySorting(Builder $query)
+ {
+ $defaultSortName = $this->fields[0];
+ $direction = 'asc';
+
+ $sort = $this->request->get('sort', '');
+ if (strpos($sort, '-') === 0) {
+ $direction = 'desc';
+ }
+
+ $sortName = ltrim($sort, '+- ');
+ if (!in_array($sortName, $this->fields)) {
+ $sortName = $defaultSortName;
+ }
+
+ $query->orderBy($sortName, $direction);
+ }
+
+ /**
+ * Apply count and offset for paging, based on params from the request while falling
+ * back to system defined default, taking the max limit into account.
+ */
+ protected function applyCountAndOffset(Builder $query)
+ {
+ $offset = max(0, $this->request->get('offset', 0));
+ $maxCount = config('api.max_item_count');
+ $count = $this->request->get('count', config('api.default_item_count'));
+ $count = max(min($maxCount, $count), 1);
+
+ $query->skip($offset)->take($count);
+ }
+}
/**
* Sync the groups to the user roles for the current user
- * @param \BookStack\Auth\User $user
- * @param array $userGroups
*/
- public function syncWithGroups(User $user, array $userGroups)
+ public function syncWithGroups(User $user, array $userGroups): void
{
// Get the ids for the roles from the names
$groupsAsRoles = $this->matchGroupsToSystemsRoles($userGroups);
// Sync groups
if ($this->config['remove_from_groups']) {
$user->roles()->sync($groupsAsRoles);
- $this->userRepo->attachDefaultRole($user);
+ $user->attachDefaultRole();
} else {
$user->roles()->syncWithoutDetaching($groupsAsRoles);
}
<?php
-namespace BookStack\Providers;
+namespace BookStack\Auth\Access;
-use BookStack\Auth\Access\LdapService;
use Illuminate\Contracts\Auth\Authenticatable;
use Illuminate\Contracts\Auth\UserProvider;
-class LdapUserProvider implements UserProvider
+class ExternalBaseUserProvider implements UserProvider
{
/**
*/
protected $model;
- /**
- * @var \BookStack\Auth\LdapService
- */
- protected $ldapService;
-
-
/**
* LdapUserProvider constructor.
* @param $model
- * @param \BookStack\Auth\LdapService $ldapService
*/
- public function __construct($model, LdapService $ldapService)
+ public function __construct(string $model)
{
$this->model = $model;
- $this->ldapService = $ldapService;
}
/**
return new $class;
}
-
/**
* Retrieve a user by their unique identifier.
*
*/
public function retrieveByToken($identifier, $token)
{
- $model = $this->createModel();
-
- return $model->newQuery()
- ->where($model->getAuthIdentifierName(), $identifier)
- ->where($model->getRememberTokenName(), $token)
- ->first();
+ return null;
}
*/
public function updateRememberToken(Authenticatable $user, $token)
{
- if ($user->exists) {
- $user->setRememberToken($token);
- $user->save();
- }
+ //
}
/**
*/
public function retrieveByCredentials(array $credentials)
{
- // Get user via LDAP
- $userDetails = $this->ldapService->getUserDetails($credentials['username']);
- if ($userDetails === null) {
- return null;
- }
-
// Search current user base by looking up a uid
$model = $this->createModel();
- $currentUser = $model->newQuery()
- ->where('external_auth_id', $userDetails['uid'])
+ return $model->newQuery()
+ ->where('external_auth_id', $credentials['external_auth_id'])
->first();
-
- if ($currentUser !== null) {
- return $currentUser;
- }
-
- $model->name = $userDetails['name'];
- $model->external_auth_id = $userDetails['uid'];
- $model->email = $userDetails['email'];
- $model->email_confirmed = false;
- return $model;
}
/**
*/
public function validateCredentials(Authenticatable $user, array $credentials)
{
- return $this->ldapService->validateUserCredentials($user, $credentials['username'], $credentials['password']);
+ // Should be done in the guard.
+ return false;
}
}
--- /dev/null
+<?php
+
+namespace BookStack\Auth\Access\Guards;
+
+use BookStack\Auth\Access\RegistrationService;
+use Illuminate\Auth\GuardHelpers;
+use Illuminate\Contracts\Auth\Authenticatable as AuthenticatableContract;
+use Illuminate\Contracts\Auth\StatefulGuard;
+use Illuminate\Contracts\Auth\UserProvider;
+use Illuminate\Contracts\Session\Session;
+
+/**
+ * Class BaseSessionGuard
+ * A base implementation of a session guard. Is a copy of the default Laravel
+ * guard with 'remember' functionality removed. Basic auth and event emission
+ * has also been removed to keep this simple. Designed to be extended by external
+ * Auth Guards.
+ *
+ * @package Illuminate\Auth
+ */
+class ExternalBaseSessionGuard implements StatefulGuard
+{
+ use GuardHelpers;
+
+ /**
+ * The name of the Guard. Typically "session".
+ *
+ * Corresponds to guard name in authentication configuration.
+ *
+ * @var string
+ */
+ protected $name;
+
+ /**
+ * The user we last attempted to retrieve.
+ *
+ * @var \Illuminate\Contracts\Auth\Authenticatable
+ */
+ protected $lastAttempted;
+
+ /**
+ * The session used by the guard.
+ *
+ * @var \Illuminate\Contracts\Session\Session
+ */
+ protected $session;
+
+ /**
+ * Indicates if the logout method has been called.
+ *
+ * @var bool
+ */
+ protected $loggedOut = false;
+
+ /**
+ * Service to handle common registration actions.
+ *
+ * @var RegistrationService
+ */
+ protected $registrationService;
+
+ /**
+ * Create a new authentication guard.
+ *
+ * @return void
+ */
+ public function __construct(string $name, UserProvider $provider, Session $session, RegistrationService $registrationService)
+ {
+ $this->name = $name;
+ $this->session = $session;
+ $this->provider = $provider;
+ $this->registrationService = $registrationService;
+ }
+
+ /**
+ * Get the currently authenticated user.
+ *
+ * @return \Illuminate\Contracts\Auth\Authenticatable|null
+ */
+ public function user()
+ {
+ if ($this->loggedOut) {
+ return;
+ }
+
+ // If we've already retrieved the user for the current request we can just
+ // return it back immediately. We do not want to fetch the user data on
+ // every call to this method because that would be tremendously slow.
+ if (! is_null($this->user)) {
+ return $this->user;
+ }
+
+ $id = $this->session->get($this->getName());
+
+ // First we will try to load the user using the
+ // identifier in the session if one exists.
+ if (! is_null($id)) {
+ $this->user = $this->provider->retrieveById($id);
+ }
+
+ return $this->user;
+ }
+
+ /**
+ * Get the ID for the currently authenticated user.
+ *
+ * @return int|null
+ */
+ public function id()
+ {
+ if ($this->loggedOut) {
+ return;
+ }
+
+ return $this->user()
+ ? $this->user()->getAuthIdentifier()
+ : $this->session->get($this->getName());
+ }
+
+ /**
+ * Log a user into the application without sessions or cookies.
+ *
+ * @param array $credentials
+ * @return bool
+ */
+ public function once(array $credentials = [])
+ {
+ if ($this->validate($credentials)) {
+ $this->setUser($this->lastAttempted);
+
+ return true;
+ }
+
+ return false;
+ }
+
+ /**
+ * Log the given user ID into the application without sessions or cookies.
+ *
+ * @param mixed $id
+ * @return \Illuminate\Contracts\Auth\Authenticatable|false
+ */
+ public function onceUsingId($id)
+ {
+ if (! is_null($user = $this->provider->retrieveById($id))) {
+ $this->setUser($user);
+
+ return $user;
+ }
+
+ return false;
+ }
+
+ /**
+ * Validate a user's credentials.
+ *
+ * @param array $credentials
+ * @return bool
+ */
+ public function validate(array $credentials = [])
+ {
+ return false;
+ }
+
+
+ /**
+ * Attempt to authenticate a user using the given credentials.
+ *
+ * @param array $credentials
+ * @param bool $remember
+ * @return bool
+ */
+ public function attempt(array $credentials = [], $remember = false)
+ {
+ return false;
+ }
+
+ /**
+ * Log the given user ID into the application.
+ *
+ * @param mixed $id
+ * @param bool $remember
+ * @return \Illuminate\Contracts\Auth\Authenticatable|false
+ */
+ public function loginUsingId($id, $remember = false)
+ {
+ if (! is_null($user = $this->provider->retrieveById($id))) {
+ $this->login($user, $remember);
+
+ return $user;
+ }
+
+ return false;
+ }
+
+ /**
+ * Log a user into the application.
+ *
+ * @param \Illuminate\Contracts\Auth\Authenticatable $user
+ * @param bool $remember
+ * @return void
+ */
+ public function login(AuthenticatableContract $user, $remember = false)
+ {
+ $this->updateSession($user->getAuthIdentifier());
+
+ $this->setUser($user);
+ }
+
+ /**
+ * Update the session with the given ID.
+ *
+ * @param string $id
+ * @return void
+ */
+ protected function updateSession($id)
+ {
+ $this->session->put($this->getName(), $id);
+
+ $this->session->migrate(true);
+ }
+
+ /**
+ * Log the user out of the application.
+ *
+ * @return void
+ */
+ public function logout()
+ {
+ $this->clearUserDataFromStorage();
+
+ // Now we will clear the users out of memory so they are no longer available
+ // as the user is no longer considered as being signed into this
+ // application and should not be available here.
+ $this->user = null;
+
+ $this->loggedOut = true;
+ }
+
+ /**
+ * Remove the user data from the session and cookies.
+ *
+ * @return void
+ */
+ protected function clearUserDataFromStorage()
+ {
+ $this->session->remove($this->getName());
+ }
+
+ /**
+ * Get the last user we attempted to authenticate.
+ *
+ * @return \Illuminate\Contracts\Auth\Authenticatable
+ */
+ public function getLastAttempted()
+ {
+ return $this->lastAttempted;
+ }
+
+ /**
+ * Get a unique identifier for the auth session value.
+ *
+ * @return string
+ */
+ public function getName()
+ {
+ return 'login_'.$this->name.'_'.sha1(static::class);
+ }
+
+ /**
+ * Determine if the user was authenticated via "remember me" cookie.
+ *
+ * @return bool
+ */
+ public function viaRemember()
+ {
+ return false;
+ }
+
+ /**
+ * Return the currently cached user.
+ *
+ * @return \Illuminate\Contracts\Auth\Authenticatable|null
+ */
+ public function getUser()
+ {
+ return $this->user;
+ }
+
+ /**
+ * Set the current user.
+ *
+ * @param \Illuminate\Contracts\Auth\Authenticatable $user
+ * @return $this
+ */
+ public function setUser(AuthenticatableContract $user)
+ {
+ $this->user = $user;
+
+ $this->loggedOut = false;
+
+ return $this;
+ }
+
+}
--- /dev/null
+<?php
+
+namespace BookStack\Auth\Access\Guards;
+
+use BookStack\Auth\Access\LdapService;
+use BookStack\Auth\Access\RegistrationService;
+use BookStack\Auth\User;
+use BookStack\Auth\UserRepo;
+use BookStack\Exceptions\LdapException;
+use BookStack\Exceptions\LoginAttemptException;
+use BookStack\Exceptions\LoginAttemptEmailNeededException;
+use BookStack\Exceptions\UserRegistrationException;
+use Illuminate\Contracts\Auth\UserProvider;
+use Illuminate\Contracts\Session\Session;
+use Illuminate\Support\Facades\Hash;
+use Illuminate\Support\Str;
+
+class LdapSessionGuard extends ExternalBaseSessionGuard
+{
+
+ protected $ldapService;
+
+ /**
+ * LdapSessionGuard constructor.
+ */
+ public function __construct($name,
+ UserProvider $provider,
+ Session $session,
+ LdapService $ldapService,
+ RegistrationService $registrationService
+ )
+ {
+ $this->ldapService = $ldapService;
+ parent::__construct($name, $provider, $session, $registrationService);
+ }
+
+ /**
+ * Validate a user's credentials.
+ *
+ * @param array $credentials
+ * @return bool
+ * @throws LdapException
+ */
+ public function validate(array $credentials = [])
+ {
+ $userDetails = $this->ldapService->getUserDetails($credentials['username']);
+
+ if (isset($userDetails['uid'])) {
+ $this->lastAttempted = $this->provider->retrieveByCredentials([
+ 'external_auth_id' => $userDetails['uid']
+ ]);
+ }
+
+ return $this->ldapService->validateUserCredentials($userDetails, $credentials['password']);
+ }
+
+ /**
+ * Attempt to authenticate a user using the given credentials.
+ *
+ * @param array $credentials
+ * @param bool $remember
+ * @return bool
+ * @throws LoginAttemptEmailNeededException
+ * @throws LoginAttemptException
+ * @throws LdapException
+ * @throws UserRegistrationException
+ */
+ public function attempt(array $credentials = [], $remember = false)
+ {
+ $username = $credentials['username'];
+ $userDetails = $this->ldapService->getUserDetails($username);
+
+ $user = null;
+ if (isset($userDetails['uid'])) {
+ $this->lastAttempted = $user = $this->provider->retrieveByCredentials([
+ 'external_auth_id' => $userDetails['uid']
+ ]);
+ }
+
+ if (!$this->ldapService->validateUserCredentials($userDetails, $credentials['password'])) {
+ return false;
+ }
+
+ if (is_null($user)) {
+ $user = $this->createNewFromLdapAndCreds($userDetails, $credentials);
+ }
+
+ // Sync LDAP groups if required
+ if ($this->ldapService->shouldSyncGroups()) {
+ $this->ldapService->syncGroups($user, $username);
+ }
+
+ $this->login($user, $remember);
+ return true;
+ }
+
+ /**
+ * Create a new user from the given ldap credentials and login credentials
+ * @throws LoginAttemptEmailNeededException
+ * @throws LoginAttemptException
+ * @throws UserRegistrationException
+ */
+ protected function createNewFromLdapAndCreds(array $ldapUserDetails, array $credentials): User
+ {
+ $email = trim($ldapUserDetails['email'] ?: ($credentials['email'] ?? ''));
+
+ if (empty($email)) {
+ throw new LoginAttemptEmailNeededException();
+ }
+
+ $details = [
+ 'name' => $ldapUserDetails['name'],
+ 'email' => $ldapUserDetails['email'] ?: $credentials['email'],
+ 'external_auth_id' => $ldapUserDetails['uid'],
+ 'password' => Str::random(32),
+ ];
+
+ return $this->registrationService->registerUser($details, null, false);
+ }
+
+}
--- /dev/null
+<?php
+
+namespace BookStack\Auth\Access\Guards;
+
+/**
+ * Saml2 Session Guard
+ *
+ * The saml2 login process is async in nature meaning it does not fit very well
+ * into the default laravel 'Guard' auth flow. Instead most of the logic is done
+ * via the Saml2 controller & Saml2Service. This class provides a safer, thin
+ * version of SessionGuard.
+ *
+ * @package BookStack\Auth\Access\Guards
+ */
+class Saml2SessionGuard extends ExternalBaseSessionGuard
+{
+ /**
+ * Validate a user's credentials.
+ *
+ * @param array $credentials
+ * @return bool
+ */
+ public function validate(array $credentials = [])
+ {
+ return false;
+ }
+
+ /**
+ * Attempt to authenticate a user using the given credentials.
+ *
+ * @param array $credentials
+ * @param bool $remember
+ * @return bool
+ */
+ public function attempt(array $credentials = [], $remember = false)
+ {
+ return false;
+ }
+
+}
<?php namespace BookStack\Auth\Access;
-use BookStack\Auth\Access;
use BookStack\Auth\User;
-use BookStack\Auth\UserRepo;
+use BookStack\Exceptions\JsonDebugException;
use BookStack\Exceptions\LdapException;
-use Illuminate\Contracts\Auth\Authenticatable;
+use ErrorException;
/**
* Class LdapService
* Handles any app-specific LDAP tasks.
- * @package BookStack\Services
*/
-class LdapService extends Access\ExternalAuthService
+class LdapService extends ExternalAuthService
{
protected $ldap;
protected $ldapConnection;
protected $config;
- protected $userRepo;
protected $enabled;
/**
* LdapService constructor.
- * @param Ldap $ldap
- * @param \BookStack\Auth\UserRepo $userRepo
*/
- public function __construct(Access\Ldap $ldap, UserRepo $userRepo)
+ public function __construct(Ldap $ldap)
{
$this->ldap = $ldap;
$this->config = config('services.ldap');
- $this->userRepo = $userRepo;
$this->enabled = config('auth.method') === 'ldap';
}
}
/**
- * Search for attributes for a specific user on the ldap
- * @param string $userName
- * @param array $attributes
- * @return null|array
+ * Search for attributes for a specific user on the ldap.
* @throws LdapException
*/
- private function getUserWithAttributes($userName, $attributes)
+ private function getUserWithAttributes(string $userName, array $attributes): ?array
{
$ldapConnection = $this->getConnection();
$this->bindSystemUser($ldapConnection);
+ // Clean attributes
+ foreach ($attributes as $index => $attribute) {
+ if (strpos($attribute, 'BIN;') === 0) {
+ $attributes[$index] = substr($attribute, strlen('BIN;'));
+ }
+ }
+
// Find user
$userFilter = $this->buildFilter($this->config['user_filter'], ['user' => $userName]);
$baseDn = $this->config['base_dn'];
/**
* Get the details of a user from LDAP using the given username.
* User found via configurable user filter.
- * @param $userName
- * @return array|null
* @throws LdapException
*/
- public function getUserDetails($userName)
+ public function getUserDetails(string $userName): ?array
{
+ $idAttr = $this->config['id_attribute'];
$emailAttr = $this->config['email_attribute'];
$displayNameAttr = $this->config['display_name_attribute'];
- $user = $this->getUserWithAttributes($userName, ['cn', 'uid', 'dn', $emailAttr, $displayNameAttr]);
+ $user = $this->getUserWithAttributes($userName, ['cn', 'dn', $idAttr, $emailAttr, $displayNameAttr]);
if ($user === null) {
return null;
}
$userCn = $this->getUserResponseProperty($user, 'cn', null);
- return [
- 'uid' => $this->getUserResponseProperty($user, 'uid', $user['dn']),
+ $formatted = [
+ 'uid' => $this->getUserResponseProperty($user, $idAttr, $user['dn']),
'name' => $this->getUserResponseProperty($user, $displayNameAttr, $userCn),
'dn' => $user['dn'],
'email' => $this->getUserResponseProperty($user, $emailAttr, null),
];
+
+ if ($this->config['dump_user_details']) {
+ throw new JsonDebugException([
+ 'details_from_ldap' => $user,
+ 'details_bookstack_parsed' => $formatted,
+ ]);
+ }
+
+ return $formatted;
}
/**
* Get a property from an LDAP user response fetch.
* Handles properties potentially being part of an array.
- * @param array $userDetails
- * @param string $propertyKey
- * @param $defaultValue
- * @return mixed
+ * If the given key is prefixed with 'BIN;', that indicator will be stripped
+ * from the key and any fetched values will be converted from binary to hex.
*/
protected function getUserResponseProperty(array $userDetails, string $propertyKey, $defaultValue)
{
+ $isBinary = strpos($propertyKey, 'BIN;') === 0;
+ $propertyKey = strtolower($propertyKey);
+ $value = $defaultValue;
+
+ if ($isBinary) {
+ $propertyKey = substr($propertyKey, strlen('BIN;'));
+ }
+
if (isset($userDetails[$propertyKey])) {
- return (is_array($userDetails[$propertyKey]) ? $userDetails[$propertyKey][0] : $userDetails[$propertyKey]);
+ $value = (is_array($userDetails[$propertyKey]) ? $userDetails[$propertyKey][0] : $userDetails[$propertyKey]);
+ if ($isBinary) {
+ $value = bin2hex($value);
+ }
}
- return $defaultValue;
+ return $value;
}
/**
- * @param Authenticatable $user
- * @param string $username
- * @param string $password
- * @return bool
+ * Check if the given credentials are valid for the given user.
* @throws LdapException
*/
- public function validateUserCredentials(Authenticatable $user, $username, $password)
+ public function validateUserCredentials(?array $ldapUserDetails, string $password): bool
{
- $ldapUser = $this->getUserDetails($username);
- if ($ldapUser === null) {
- return false;
- }
-
- if ($ldapUser['uid'] !== $user->external_auth_id) {
+ if (is_null($ldapUserDetails)) {
return false;
}
$ldapConnection = $this->getConnection();
try {
- $ldapBind = $this->ldap->bind($ldapConnection, $ldapUser['dn'], $password);
- } catch (\ErrorException $e) {
+ $ldapBind = $this->ldap->bind($ldapConnection, $ldapUserDetails['dn'], $password);
+ } catch (ErrorException $e) {
$ldapBind = false;
}
}
/**
- * Parse a LDAP server string and return the host and port for
- * a connection. Is flexible to formats such as 'ldap.example.com:8069' or 'ldaps://ldap.example.com'
- * @param $serverString
- * @return array
+ * Parse a LDAP server string and return the host and port for a connection.
+ * Is flexible to formats such as 'ldap.example.com:8069' or 'ldaps://ldap.example.com'.
*/
- protected function parseServerString($serverString)
+ protected function parseServerString(string $serverString): array
{
$serverNameParts = explode(':', $serverString);
/**
* Build a filter string by injecting common variables.
- * @param string $filterString
- * @param array $attrs
- * @return string
*/
- protected function buildFilter($filterString, array $attrs)
+ protected function buildFilter(string $filterString, array $attrs): string
{
$newAttrs = [];
foreach ($attrs as $key => $attrText) {
}
/**
- * Get the groups a user is a part of on ldap
- * @param string $userName
- * @return array
+ * Get the groups a user is a part of on ldap.
* @throws LdapException
*/
- public function getUserGroups($userName)
+ public function getUserGroups(string $userName): array
{
$groupsAttr = $this->config['group_attribute'];
$user = $this->getUserWithAttributes($userName, [$groupsAttr]);
}
/**
- * Get the parent groups of an array of groups
- * @param array $groupsArray
- * @param array $checked
- * @return array
+ * Get the parent groups of an array of groups.
* @throws LdapException
*/
- private function getGroupsRecursive($groupsArray, $checked)
+ private function getGroupsRecursive(array $groupsArray, array $checked): array
{
- $groups_to_add = [];
+ $groupsToAdd = [];
foreach ($groupsArray as $groupName) {
if (in_array($groupName, $checked)) {
continue;
}
- $groupsToAdd = $this->getGroupGroups($groupName);
- $groups_to_add = array_merge($groups_to_add, $groupsToAdd);
+ $parentGroups = $this->getGroupGroups($groupName);
+ $groupsToAdd = array_merge($groupsToAdd, $parentGroups);
$checked[] = $groupName;
}
- $groupsArray = array_unique(array_merge($groupsArray, $groups_to_add), SORT_REGULAR);
- if (!empty($groups_to_add)) {
- return $this->getGroupsRecursive($groupsArray, $checked);
- } else {
+ $groupsArray = array_unique(array_merge($groupsArray, $groupsToAdd), SORT_REGULAR);
+
+ if (empty($groupsToAdd)) {
return $groupsArray;
}
+
+ return $this->getGroupsRecursive($groupsArray, $checked);
}
/**
- * Get the parent groups of a single group
- * @param string $groupName
- * @return array
+ * Get the parent groups of a single group.
* @throws LdapException
*/
- private function getGroupGroups($groupName)
+ private function getGroupGroups(string $groupName): array
{
$ldapConnection = $this->getConnection();
$this->bindSystemUser($ldapConnection);
return [];
}
- $groupGroups = $this->groupFilter($groups[0]);
- return $groupGroups;
+ return $this->groupFilter($groups[0]);
}
/**
- * Filter out LDAP CN and DN language in a ldap search return
- * Gets the base CN (common name) of the string
- * @param array $userGroupSearchResponse
- * @return array
+ * Filter out LDAP CN and DN language in a ldap search return.
+ * Gets the base CN (common name) of the string.
*/
- protected function groupFilter(array $userGroupSearchResponse)
+ protected function groupFilter(array $userGroupSearchResponse): array
{
$groupsAttr = strtolower($this->config['group_attribute']);
$ldapGroups = [];
}
/**
- * Sync the LDAP groups to the user roles for the current user
- * @param \BookStack\Auth\User $user
- * @param string $username
+ * Sync the LDAP groups to the user roles for the current user.
* @throws LdapException
*/
public function syncGroups(User $user, string $username)
--- /dev/null
+<?php namespace BookStack\Auth\Access;
+
+use BookStack\Auth\SocialAccount;
+use BookStack\Auth\User;
+use BookStack\Auth\UserRepo;
+use BookStack\Exceptions\UserRegistrationException;
+use Exception;
+
+class RegistrationService
+{
+
+ protected $userRepo;
+ protected $emailConfirmationService;
+
+ /**
+ * RegistrationService constructor.
+ */
+ public function __construct(UserRepo $userRepo, EmailConfirmationService $emailConfirmationService)
+ {
+ $this->userRepo = $userRepo;
+ $this->emailConfirmationService = $emailConfirmationService;
+ }
+
+ /**
+ * Check whether or not registrations are allowed in the app settings.
+ * @throws UserRegistrationException
+ */
+ public function ensureRegistrationAllowed()
+ {
+ if (!$this->registrationAllowed()) {
+ throw new UserRegistrationException(trans('auth.registrations_disabled'), '/login');
+ }
+ }
+
+ /**
+ * Check if standard BookStack User registrations are currently allowed.
+ * Does not prevent external-auth based registration.
+ */
+ protected function registrationAllowed(): bool
+ {
+ $authMethod = config('auth.method');
+ $authMethodsWithRegistration = ['standard'];
+ return in_array($authMethod, $authMethodsWithRegistration) && setting('registration-enabled');
+ }
+
+ /**
+ * The registrations flow for all users.
+ * @throws UserRegistrationException
+ */
+ public function registerUser(array $userData, ?SocialAccount $socialAccount = null, bool $emailConfirmed = false): User
+ {
+ $userEmail = $userData['email'];
+
+ // Email restriction
+ $this->ensureEmailDomainAllowed($userEmail);
+
+ // Ensure user does not already exist
+ $alreadyUser = !is_null($this->userRepo->getByEmail($userEmail));
+ if ($alreadyUser) {
+ throw new UserRegistrationException(trans('errors.error_user_exists_different_creds', ['email' => $userEmail]));
+ }
+
+ // Create the user
+ $newUser = $this->userRepo->registerNew($userData, $emailConfirmed);
+
+ // Assign social account if given
+ if ($socialAccount) {
+ $newUser->socialAccounts()->save($socialAccount);
+ }
+
+ // Start email confirmation flow if required
+ if ($this->emailConfirmationService->confirmationRequired() && !$emailConfirmed) {
+ $newUser->save();
+ $message = '';
+
+ try {
+ $this->emailConfirmationService->sendConfirmation($newUser);
+ } catch (Exception $e) {
+ $message = trans('auth.email_confirm_send_error');
+ }
+
+ throw new UserRegistrationException($message, '/register/confirm');
+ }
+
+ return $newUser;
+ }
+
+ /**
+ * Ensure that the given email meets any active email domain registration restrictions.
+ * Throws if restrictions are active and the email does not match an allowed domain.
+ * @throws UserRegistrationException
+ */
+ protected function ensureEmailDomainAllowed(string $userEmail): void
+ {
+ $registrationRestrict = setting('registration-restrict');
+
+ if (!$registrationRestrict) {
+ return;
+ }
+
+ $restrictedEmailDomains = explode(',', str_replace(' ', '', $registrationRestrict));
+ $userEmailDomain = $domain = mb_substr(mb_strrchr($userEmail, "@"), 1);
+ if (!in_array($userEmailDomain, $restrictedEmailDomains)) {
+ $redirect = $this->registrationAllowed() ? '/register' : '/login';
+ throw new UserRegistrationException(trans('auth.registration_email_domain_invalid'), $redirect);
+ }
+ }
+
+ /**
+ * Alias to the UserRepo method of the same name.
+ * Attaches the default system role, if configured, to the given user.
+ */
+ public function attachDefaultRole(User $user): void
+ {
+ $this->userRepo->attachDefaultRole($user);
+ }
+
+}
\ No newline at end of file
<?php namespace BookStack\Auth\Access;
use BookStack\Auth\User;
-use BookStack\Auth\UserRepo;
use BookStack\Exceptions\JsonDebugException;
use BookStack\Exceptions\SamlException;
+use BookStack\Exceptions\UserRegistrationException;
use Exception;
use Illuminate\Support\Str;
use OneLogin\Saml2\Auth;
class Saml2Service extends ExternalAuthService
{
protected $config;
- protected $userRepo;
+ protected $registrationService;
protected $user;
- protected $enabled;
/**
* Saml2Service constructor.
*/
- public function __construct(UserRepo $userRepo, User $user)
+ public function __construct(RegistrationService $registrationService, User $user)
{
$this->config = config('saml2');
- $this->userRepo = $userRepo;
+ $this->registrationService = $registrationService;
$this->user = $user;
- $this->enabled = config('saml2.enabled') === true;
}
/**
* @throws SamlException
* @throws ValidationError
* @throws JsonDebugException
+ * @throws UserRegistrationException
*/
public function processAcsResponse(?string $requestId): ?User
{
*/
protected function shouldSyncGroups(): bool
{
- return $this->enabled && $this->config['user_to_groups'] !== false;
+ return $this->config['user_to_groups'] !== false;
}
/**
/**
* Extract the details of a user from a SAML response.
*/
- public function getUserDetails(string $samlID, $samlAttributes): array
+ protected function getUserDetails(string $samlID, $samlAttributes): array
{
$emailAttr = $this->config['email_attribute'];
$externalId = $this->getExternalId($samlAttributes, $samlID);
return $defaultValue;
}
- /**
- * Register a user that is authenticated but not already registered.
- */
- protected function registerUser(array $userDetails): User
- {
- // Create an array of the user data to create a new user instance
- $userData = [
- 'name' => $userDetails['name'],
- 'email' => $userDetails['email'],
- 'password' => Str::random(32),
- 'external_auth_id' => $userDetails['external_id'],
- 'email_confirmed' => true,
- ];
-
- $existingUser = $this->user->newQuery()->where('email', '=', $userDetails['email'])->first();
- if ($existingUser) {
- throw new SamlException(trans('errors.saml_email_exists', ['email' => $userDetails['email']]));
- }
-
- $user = $this->user->forceCreate($userData);
- $this->userRepo->attachDefaultRole($user);
- $this->userRepo->downloadAndAssignUserAvatar($user);
- return $user;
- }
-
/**
* Get the user from the database for the specified details.
+ * @throws SamlException
+ * @throws UserRegistrationException
*/
protected function getOrRegisterUser(array $userDetails): ?User
{
- $isRegisterEnabled = $this->config['auto_register'] === true;
- $user = $this->user
- ->where('external_auth_id', $userDetails['external_id'])
+ $user = $this->user->newQuery()
+ ->where('external_auth_id', '=', $userDetails['external_id'])
->first();
- if ($user === null && $isRegisterEnabled) {
- $user = $this->registerUser($userDetails);
+ if (is_null($user)) {
+ $userData = [
+ 'name' => $userDetails['name'],
+ 'email' => $userDetails['email'],
+ 'password' => Str::random(32),
+ 'external_auth_id' => $userDetails['external_id'],
+ ];
+
+ $user = $this->registrationService->registerUser($userData, null, false);
}
return $user;
* they exist, optionally registering them automatically.
* @throws SamlException
* @throws JsonDebugException
+ * @throws UserRegistrationException
*/
public function processLoginCallback(string $samlID, array $samlAttributes): User
{
use BookStack\Exceptions\UserRegistrationException;
use Illuminate\Support\Str;
use Laravel\Socialite\Contracts\Factory as Socialite;
+use Laravel\Socialite\Contracts\Provider;
use Laravel\Socialite\Contracts\User as SocialUser;
+use Symfony\Component\HttpFoundation\RedirectResponse;
class SocialAuthService
{
/**
* SocialAuthService constructor.
- * @param \BookStack\Auth\UserRepo $userRepo
- * @param Socialite $socialite
- * @param SocialAccount $socialAccount
*/
public function __construct(UserRepo $userRepo, Socialite $socialite, SocialAccount $socialAccount)
{
/**
* Start the social login path.
- * @param string $socialDriver
- * @return \Symfony\Component\HttpFoundation\RedirectResponse
* @throws SocialDriverNotConfigured
*/
- public function startLogIn($socialDriver)
+ public function startLogIn(string $socialDriver): RedirectResponse
{
$driver = $this->validateDriver($socialDriver);
return $this->getSocialDriver($driver)->redirect();
/**
* Start the social registration process
- * @param string $socialDriver
- * @return \Symfony\Component\HttpFoundation\RedirectResponse
* @throws SocialDriverNotConfigured
*/
- public function startRegister($socialDriver)
+ public function startRegister(string $socialDriver): RedirectResponse
{
$driver = $this->validateDriver($socialDriver);
return $this->getSocialDriver($driver)->redirect();
/**
* Handle the social registration process on callback.
- * @param string $socialDriver
- * @param SocialUser $socialUser
- * @return SocialUser
* @throws UserRegistrationException
*/
- public function handleRegistrationCallback(string $socialDriver, SocialUser $socialUser)
+ public function handleRegistrationCallback(string $socialDriver, SocialUser $socialUser): SocialUser
{
// Check social account has not already been used
if ($this->socialAccount->where('driver_id', '=', $socialUser->getId())->exists()) {
if ($this->userRepo->getByEmail($socialUser->getEmail())) {
$email = $socialUser->getEmail();
- throw new UserRegistrationException(trans('errors.social_account_in_use', ['socialAccount'=>$socialDriver, 'email' => $email]), '/login');
+ throw new UserRegistrationException(trans('errors.error_user_exists_different_creds', ['email' => $email]), '/login');
}
return $socialUser;
/**
* Get the social user details via the social driver.
- * @param string $socialDriver
- * @return SocialUser
* @throws SocialDriverNotConfigured
*/
- public function getSocialUser(string $socialDriver)
+ public function getSocialUser(string $socialDriver): SocialUser
{
$driver = $this->validateDriver($socialDriver);
return $this->socialite->driver($driver)->user();
/**
* Handle the login process on a oAuth callback.
- * @param $socialDriver
- * @param SocialUser $socialUser
- * @return \Illuminate\Http\RedirectResponse|\Illuminate\Routing\Redirector
* @throws SocialSignInAccountNotUsed
*/
- public function handleLoginCallback($socialDriver, SocialUser $socialUser)
+ public function handleLoginCallback(string $socialDriver, SocialUser $socialUser)
{
$socialId = $socialUser->getId();
// Otherwise let the user know this social account is not used by anyone.
$message = trans('errors.social_account_not_used', ['socialAccount' => $titleCaseDriver]);
- if (setting('registration-enabled')) {
+ if (setting('registration-enabled') && config('auth.method') !== 'ldap' && config('auth.method') !== 'saml2') {
$message .= trans('errors.social_account_register_instructions', ['socialAccount' => $titleCaseDriver]);
}
/**
* Ensure the social driver is correct and supported.
- *
- * @param $socialDriver
- * @return string
* @throws SocialDriverNotConfigured
*/
- private function validateDriver($socialDriver)
+ protected function validateDriver(string $socialDriver): string
{
$driver = trim(strtolower($socialDriver));
if (!in_array($driver, $this->validSocialDrivers)) {
abort(404, trans('errors.social_driver_not_found'));
}
+
if (!$this->checkDriverConfigured($driver)) {
throw new SocialDriverNotConfigured(trans('errors.social_driver_not_configured', ['socialAccount' => Str::title($socialDriver)]));
}
/**
* Check a social driver has been configured correctly.
- * @param $driver
- * @return bool
*/
- private function checkDriverConfigured($driver)
+ protected function checkDriverConfigured(string $driver): bool
{
$lowerName = strtolower($driver);
$configPrefix = 'services.' . $lowerName . '.';
/**
* Gets the names of the active social drivers.
- * @return array
*/
- public function getActiveDrivers()
+ public function getActiveDrivers(): array
{
$activeDrivers = [];
+
foreach ($this->validSocialDrivers as $driverKey) {
if ($this->checkDriverConfigured($driverKey)) {
$activeDrivers[$driverKey] = $this->getDriverName($driverKey);
}
}
+
return $activeDrivers;
}
/**
* Get the presentational name for a driver.
- * @param $driver
- * @return mixed
*/
- public function getDriverName($driver)
+ public function getDriverName(string $driver): string
{
return config('services.' . strtolower($driver) . '.name');
}
/**
* Check if the current config for the given driver allows auto-registration.
- * @param string $driver
- * @return bool
*/
- public function driverAutoRegisterEnabled(string $driver)
+ public function driverAutoRegisterEnabled(string $driver): bool
{
return config('services.' . strtolower($driver) . '.auto_register') === true;
}
/**
* Check if the current config for the given driver allow email address auto-confirmation.
- * @param string $driver
- * @return bool
*/
- public function driverAutoConfirmEmailEnabled(string $driver)
+ public function driverAutoConfirmEmailEnabled(string $driver): bool
{
return config('services.' . strtolower($driver) . '.auto_confirm') === true;
}
/**
- * @param string $socialDriver
- * @param SocialUser $socialUser
- * @return SocialAccount
+ * Fill and return a SocialAccount from the given driver name and SocialUser.
*/
- public function fillSocialAccount($socialDriver, $socialUser)
+ public function fillSocialAccount(string $socialDriver, SocialUser $socialUser): SocialAccount
{
$this->socialAccount->fill([
'driver' => $socialDriver,
/**
* Detach a social account from a user.
- * @param $socialDriver
* @return \Illuminate\Http\RedirectResponse|\Illuminate\Routing\Redirector
*/
- public function detachSocialAccount($socialDriver)
+ public function detachSocialAccount(string $socialDriver)
{
user()->socialAccounts()->where('driver', '=', $socialDriver)->delete();
- session()->flash('success', trans('settings.users_social_disconnected', ['socialAccount' => Str::title($socialDriver)]));
- return redirect(user()->getEditUrl());
}
/**
* Provide redirect options per service for the Laravel Socialite driver
- * @param $driverName
- * @return \Laravel\Socialite\Contracts\Provider
*/
- public function getSocialDriver(string $driverName)
+ public function getSocialDriver(string $driverName): Provider
{
$driver = $this->socialite->driver($driverName);
if ($driverName === 'google' && config('services.google.select_account')) {
$driver->with(['prompt' => 'select_account']);
}
+ if ($driverName === 'azure') {
+ $driver->with(['resource' => 'https://graph.windows.net']);
+ }
return $driver;
}
*/
public function detachPermission(RolePermission $permission)
{
- $this->permissions()->detach($permission->id);
+ $this->permissions()->detach([$permission->id]);
}
/**
<?php namespace BookStack\Auth;
+use BookStack\Api\ApiToken;
use BookStack\Model;
use BookStack\Notifications\ResetPassword;
use BookStack\Uploads\Image;
use Illuminate\Contracts\Auth\Authenticatable as AuthenticatableContract;
use Illuminate\Contracts\Auth\CanResetPassword as CanResetPasswordContract;
use Illuminate\Database\Eloquent\Relations\BelongsToMany;
+use Illuminate\Database\Eloquent\Relations\HasMany;
use Illuminate\Notifications\Notifiable;
/**
* The attributes excluded from the model's JSON form.
* @var array
*/
- protected $hidden = ['password', 'remember_token'];
+ protected $hidden = ['password', 'remember_token', 'system_name', 'email_confirmed', 'external_auth_id', 'email'];
/**
* This holds the user's permissions when loaded.
return $this->roles->pluck('system_name')->contains($role);
}
+ /**
+ * Attach the default system role to this user.
+ */
+ public function attachDefaultRole(): void
+ {
+ $roleId = setting('registration-role');
+ if ($roleId && $this->roles()->where('id', '=', $roleId)->count() === 0) {
+ $this->roles()->attach($roleId);
+ }
+ }
+
/**
* Get all permissions belonging to a the current user.
* @param bool $cache
*/
public function attachRole(Role $role)
{
- $this->attachRoleId($role->id);
- }
-
- /**
- * Attach a role id to this user.
- * @param $id
- */
- public function attachRoleId($id)
- {
- $this->roles()->attach($id);
+ $this->roles()->attach($role->id);
}
/**
return $this->belongsTo(Image::class, 'image_id');
}
+ /**
+ * Get the API tokens assigned to this user.
+ */
+ public function apiTokens(): HasMany
+ {
+ return $this->hasMany(ApiToken::class);
+ }
+
/**
* Get the url for editing this user.
- * @return string
*/
- public function getEditUrl()
+ public function getEditUrl(string $path = ''): string
{
- return url('/settings/users/' . $this->id);
+ $uri = '/settings/users/' . $this->id . '/' . trim($path, '/');
+ return url(rtrim($uri, '/'));
}
/**
* Get the url that links to this user's profile.
- * @return mixed
*/
- public function getProfileUrl()
+ public function getProfileUrl(): string
{
return url('/user/' . $this->id);
}
}
/**
- * @param string $email
- * @return User|null
+ * Get a user by their email address.
*/
- public function getByEmail($email)
+ public function getByEmail(string $email): ?User
{
return $this->user->where('email', '=', $email)->first();
}
/**
* Creates a new user and attaches a role to them.
- * @param array $data
- * @param boolean $verifyEmail
- * @return User
*/
- public function registerNew(array $data, $verifyEmail = false)
+ public function registerNew(array $data, bool $emailConfirmed = false): User
{
- $user = $this->create($data, $verifyEmail);
- $this->attachDefaultRole($user);
+ $user = $this->create($data, $emailConfirmed);
+ $user->attachDefaultRole();
$this->downloadAndAssignUserAvatar($user);
return $user;
}
- /**
- * Give a user the default role. Used when creating a new user.
- * @param User $user
- */
- public function attachDefaultRole(User $user)
- {
- $roleId = setting('registration-role');
- if ($roleId !== false && $user->roles()->where('id', '=', $roleId)->count() === 0) {
- $user->attachRoleId($roleId);
- }
- }
-
/**
* Assign a user to a system-level role.
* @param User $user
/**
* Create a new basic instance of user.
- * @param array $data
- * @param boolean $verifyEmail
- * @return User
*/
- public function create(array $data, $verifyEmail = false)
+ public function create(array $data, bool $emailConfirmed = false): User
{
return $this->user->forceCreate([
'name' => $data['name'],
'email' => $data['email'],
'password' => bcrypt($data['password']),
- 'email_confirmed' => $verifyEmail
+ 'email_confirmed' => $emailConfirmed,
+ 'external_auth_id' => $data['external_auth_id'] ?? '',
]);
}
public function destroy(User $user)
{
$user->socialAccounts()->delete();
+ $user->apiTokens()->delete();
$user->delete();
// Delete user profile images
--- /dev/null
+<?php
+
+/**
+ * API configuration options.
+ *
+ * Changes to these config files are not supported by BookStack and may break upon updates.
+ * Configuration should be altered via the `.env` file or environment variables.
+ * Do not edit this file unless you're happy to maintain any changes yourself.
+ */
+
+return [
+
+ // The default number of items that are returned in listing API requests.
+ // This count can often be overridden, up the the max option, per-request via request options.
+ 'default_item_count' => env('API_DEFAULT_ITEM_COUNT', 100),
+
+ // The maximum number of items that can be returned in a listing API request.
+ 'max_item_count' => env('API_MAX_ITEM_COUNT', 500),
+
+ // The number of API requests that can be made per minute by a single user.
+ 'requests_per_minute' => env('API_REQUESTS_PER_MIN', 180)
+
+];
'locale' => env('APP_LANG', 'en'),
// Locales available
- 'locales' => ['en', 'ar', 'de', 'de_informal', 'es', 'es_AR', 'fr', 'hu', 'nl', 'pt_BR', 'sk', 'cs', 'sv', 'ko', 'ja', 'pl', 'it', 'ru', 'uk', 'zh_CN', 'zh_TW', 'tr'],
+ 'locales' => ['en', 'ar', 'cs', 'da', 'de', 'de_informal', 'es', 'es_AR', 'fa', 'fr', 'he', 'hu', 'it', 'ja', 'ko', 'nl', 'pt', 'pt_BR', 'sk', 'sv', 'pl', 'ru', 'tr', 'uk', 'vi', 'zh_CN', 'zh_TW',],
// Application Fallback Locale
'fallback_locale' => 'en',
return [
// Method of authentication to use
- // Options: standard, ldap
+ // Options: standard, ldap, saml2
'method' => env('AUTH_METHOD', 'standard'),
// Authentication Defaults
// This option controls the default authentication "guard" and password
// reset options for your application.
'defaults' => [
- 'guard' => 'web',
+ 'guard' => env('AUTH_METHOD', 'standard'),
'passwords' => 'users',
],
// All authentication drivers have a user provider. This defines how the
// users are actually retrieved out of your database or other storage
// mechanisms used by this application to persist your user's data.
- // Supported: "session", "token"
+ // Supported drivers: "session", "api-token", "ldap-session"
'guards' => [
- 'web' => [
+ 'standard' => [
'driver' => 'session',
'provider' => 'users',
],
-
+ 'ldap' => [
+ 'driver' => 'ldap-session',
+ 'provider' => 'external',
+ ],
+ 'saml2' => [
+ 'driver' => 'saml2-session',
+ 'provider' => 'external',
+ ],
'api' => [
- 'driver' => 'token',
- 'provider' => 'users',
- 'hash' => false,
+ 'driver' => 'api-token',
],
],
// All authentication drivers have a user provider. This defines how the
// users are actually retrieved out of your database or other storage
// mechanisms used by this application to persist your user's data.
- // Supported: database, eloquent, ldap
'providers' => [
'users' => [
- 'driver' => env('AUTH_METHOD', 'standard') === 'standard' ? 'eloquent' : env('AUTH_METHOD'),
+ 'driver' => 'eloquent',
+ 'model' => \BookStack\Auth\User::class,
+ ],
+ 'external' => [
+ 'driver' => 'external-users',
'model' => \BookStack\Auth\User::class,
],
-
- // 'users' => [
- // 'driver' => 'database',
- // 'table' => 'users',
- // ],
],
// Resetting Passwords
// Display name, shown to users, for SAML2 option
'name' => env('SAML2_NAME', 'SSO'),
- // Toggle whether the SAML2 option is active
- 'enabled' => env('SAML2_ENABLED', false),
- // Enable registration via SAML2 authentication
- 'auto_register' => env('SAML2_AUTO_REGISTER', true),
// Dump user details after a login request for debugging purposes
'dump_user_details' => env('SAML2_DUMP_USER_DETAILS', false),
'ldap' => [
'server' => env('LDAP_SERVER', false),
+ 'dump_user_details' => env('LDAP_DUMP_USER_DETAILS', false),
'dn' => env('LDAP_DN', false),
'pass' => env('LDAP_PASS', false),
'base_dn' => env('LDAP_BASE_DN', false),
'user_filter' => env('LDAP_USER_FILTER', '(&(uid=${user}))'),
'version' => env('LDAP_VERSION', false),
+ 'id_attribute' => env('LDAP_ID_ATTRIBUTE', 'uid'),
'email_attribute' => env('LDAP_EMAIL_ATTRIBUTE', 'mail'),
'display_name_attribute' => env('LDAP_DISPLAY_NAME_ATTRIBUTE', 'cn'),
'follow_referrals' => env('LDAP_FOLLOW_REFERRALS', false),
{
public $searchFactor = 2;
- protected $fillable = ['name', 'description', 'image_id'];
+ protected $fillable = ['name', 'description'];
+ protected $hidden = ['restricted'];
/**
* Get the url for this book.
{
$pages = $this->directPages()->visible()->get();
$chapters = $this->chapters()->visible()->get();
- return $pages->contact($chapters)->sortBy('priority')->sortByDesc('draft');
+ return $pages->concat($chapters)->sortBy('priority')->sortByDesc('draft');
}
/**
public function pageToContainedHtml(Page $page)
{
$page->html = (new PageContent($page))->render();
- $pageHtml = view('pages/export', [
- 'page' => $page
+ $pageHtml = view('pages.export', [
+ 'page' => $page,
+ 'format' => 'html',
])->render();
return $this->containHtml($pageHtml);
}
$pages->each(function ($page) {
$page->html = (new PageContent($page))->render();
});
- $html = view('chapters/export', [
+ $html = view('chapters.export', [
'chapter' => $chapter,
- 'pages' => $pages
+ 'pages' => $pages,
+ 'format' => 'html',
])->render();
return $this->containHtml($html);
}
public function bookToContainedHtml(Book $book)
{
$bookTree = (new BookContents($book))->getTree(false, true);
- $html = view('books/export', [
+ $html = view('books.export', [
'book' => $book,
- 'bookChildren' => $bookTree
+ 'bookChildren' => $bookTree,
+ 'format' => 'html',
])->render();
return $this->containHtml($html);
}
public function pageToPdf(Page $page)
{
$page->html = (new PageContent($page))->render();
- $html = view('pages/pdf', [
- 'page' => $page
+ $html = view('pages.export', [
+ 'page' => $page,
+ 'format' => 'pdf',
])->render();
return $this->htmlToPdf($html);
}
$page->html = (new PageContent($page))->render();
});
- $html = view('chapters/export', [
+ $html = view('chapters.export', [
'chapter' => $chapter,
- 'pages' => $pages
+ 'pages' => $pages,
+ 'format' => 'pdf',
])->render();
return $this->htmlToPdf($html);
public function bookToPdf(Book $book)
{
$bookTree = (new BookContents($book))->getTree(false, true);
- $html = view('books/export', [
+ $html = view('books.export', [
'book' => $book,
- 'bookChildren' => $bookTree
+ 'bookChildren' => $bookTree,
+ 'format' => 'pdf',
])->render();
return $this->htmlToPdf($html);
}
* @throws ImageUploadException
* @throws \Exception
*/
- public function updateCoverImage(HasCoverImage $entity, UploadedFile $coverImage = null, bool $removeImage = false)
+ public function updateCoverImage(HasCoverImage $entity, ?UploadedFile $coverImage, bool $removeImage = false)
{
if ($coverImage) {
$this->imageRepo->destroyImage($entity->cover);
* @throws ImageUploadException
* @throws Exception
*/
- public function updateCoverImage(Book $book, UploadedFile $coverImage = null, bool $removeImage = false)
+ public function updateCoverImage(Book $book, ?UploadedFile $coverImage, bool $removeImage = false)
{
$this->baseRepo->updateCoverImage($book, $coverImage, $removeImage);
}
* @throws ImageUploadException
* @throws Exception
*/
- public function updateCoverImage(Bookshelf $shelf, UploadedFile $coverImage = null, bool $removeImage = false)
+ public function updateCoverImage(Bookshelf $shelf, ?UploadedFile $coverImage, bool $removeImage = false)
{
$this->baseRepo->updateCoverImage($shelf, $coverImage, $removeImage);
}
--- /dev/null
+<?php
+
+namespace BookStack\Exceptions;
+
+class ApiAuthException extends UnauthorizedException {
+
+}
\ No newline at end of file
+++ /dev/null
-<?php namespace BookStack\Exceptions;
-
-class AuthException extends PrettyException
-{
-
-}
use Illuminate\Auth\AuthenticationException;
use Illuminate\Database\Eloquent\ModelNotFoundException;
use Illuminate\Foundation\Exceptions\Handler as ExceptionHandler;
+use Illuminate\Http\JsonResponse;
+use Illuminate\Http\Request;
+use Illuminate\Http\Response;
use Illuminate\Validation\ValidationException;
use Symfony\Component\HttpKernel\Exception\HttpException;
use Symfony\Component\HttpKernel\Exception\NotFoundHttpException;
*/
public function render($request, Exception $e)
{
+ if ($this->isApiRequest($request)) {
+ return $this->renderApiException($e);
+ }
+
// Handle notify exceptions which will redirect to the
// specified location then show a notification message.
if ($this->isExceptionType($e, NotifyException::class)) {
- session()->flash('error', $this->getOriginalMessage($e));
+ $message = $this->getOriginalMessage($e);
+ if (!empty($message)) {
+ session()->flash('error', $message);
+ }
return redirect($e->redirectLocation);
}
return parent::render($request, $e);
}
+ /**
+ * Check if the given request is an API request.
+ */
+ protected function isApiRequest(Request $request): bool
+ {
+ return strpos($request->path(), 'api/') === 0;
+ }
+
+ /**
+ * Render an exception when the API is in use.
+ */
+ protected function renderApiException(Exception $e): JsonResponse
+ {
+ $code = $e->getCode() === 0 ? 500 : $e->getCode();
+ $headers = [];
+ if ($e instanceof HttpException) {
+ $code = $e->getStatusCode();
+ $headers = $e->getHeaders();
+ }
+
+ $responseData = [
+ 'error' => [
+ 'message' => $e->getMessage(),
+ ]
+ ];
+
+ if ($e instanceof ValidationException) {
+ $responseData['error']['validation'] = $e->errors();
+ $code = $e->status;
+ }
+
+ $responseData['error']['code'] = $code;
+ return new JsonResponse($responseData, $code, $headers);
+ }
+
/**
* Check the exception chain to compare against the original exception type.
* @param Exception $e
--- /dev/null
+<?php namespace BookStack\Exceptions;
+
+class LoginAttemptEmailNeededException extends LoginAttemptException
+{
+
+}
--- /dev/null
+<?php namespace BookStack\Exceptions;
+
+class LoginAttemptException extends \Exception
+{
+
+}
--- /dev/null
+<?php
+
+namespace BookStack\Exceptions;
+
+use Exception;
+
+class UnauthorizedException extends Exception
+{
+
+ /**
+ * ApiAuthException constructor.
+ */
+ public function __construct($message, $code = 401)
+ {
+ parent::__construct($message, $code);
+ }
+}
\ No newline at end of file
--- /dev/null
+<?php namespace BookStack\Http\Controllers\Api;
+
+use BookStack\Api\ListingResponseBuilder;
+use BookStack\Http\Controllers\Controller;
+use Illuminate\Database\Eloquent\Builder;
+use Illuminate\Http\JsonResponse;
+
+class ApiController extends Controller
+{
+
+ protected $rules = [];
+
+ /**
+ * Provide a paginated listing JSON response in a standard format
+ * taking into account any pagination parameters passed by the user.
+ */
+ protected function apiListingResponse(Builder $query, array $fields): JsonResponse
+ {
+ $listing = new ListingResponseBuilder($query, request(), $fields);
+ return $listing->toResponse();
+ }
+
+ /**
+ * Get the validation rules for this controller.
+ */
+ public function getValdationRules(): array
+ {
+ return $this->rules;
+ }
+}
\ No newline at end of file
--- /dev/null
+<?php namespace BookStack\Http\Controllers\Api;
+
+use BookStack\Api\ApiDocsGenerator;
+use Cache;
+use Illuminate\Support\Collection;
+
+class ApiDocsController extends ApiController
+{
+
+ /**
+ * Load the docs page for the API.
+ */
+ public function display()
+ {
+ $docs = $this->getDocs();
+ return view('api-docs.index', [
+ 'docs' => $docs,
+ ]);
+ }
+
+ /**
+ * Show a JSON view of the API docs data.
+ */
+ public function json() {
+ $docs = $this->getDocs();
+ return response()->json($docs);
+ }
+
+ /**
+ * Get the base docs data.
+ * Checks and uses the system cache for quick re-fetching.
+ */
+ protected function getDocs(): Collection
+ {
+ $appVersion = trim(file_get_contents(base_path('version')));
+ $cacheKey = 'api-docs::' . $appVersion;
+ if (Cache::has($cacheKey) && config('app.env') === 'production') {
+ $docs = Cache::get($cacheKey);
+ } else {
+ $docs = (new ApiDocsGenerator())->generate();
+ Cache::put($cacheKey, $docs, 60*24);
+ }
+
+ return $docs;
+ }
+
+}
--- /dev/null
+<?php namespace BookStack\Http\Controllers\Api;
+
+use BookStack\Entities\Book;
+use BookStack\Entities\Repos\BookRepo;
+use BookStack\Exceptions\NotifyException;
+use BookStack\Facades\Activity;
+use Illuminate\Contracts\Container\BindingResolutionException;
+use Illuminate\Http\Request;
+use Illuminate\Validation\ValidationException;
+
+class BooksApiController extends ApiController
+{
+
+ protected $bookRepo;
+
+ protected $rules = [
+ 'create' => [
+ 'name' => 'required|string|max:255',
+ 'description' => 'string|max:1000',
+ ],
+ 'update' => [
+ 'name' => 'string|min:1|max:255',
+ 'description' => 'string|max:1000',
+ ],
+ ];
+
+ /**
+ * BooksApiController constructor.
+ */
+ public function __construct(BookRepo $bookRepo)
+ {
+ $this->bookRepo = $bookRepo;
+ }
+
+ /**
+ * Get a listing of books visible to the user.
+ */
+ public function list()
+ {
+ $books = Book::visible();
+ return $this->apiListingResponse($books, [
+ 'id', 'name', 'slug', 'description', 'created_at', 'updated_at', 'created_by', 'updated_by', 'image_id',
+ ]);
+ }
+
+ /**
+ * Create a new book in the system.
+ * @throws ValidationException
+ */
+ public function create(Request $request)
+ {
+ $this->checkPermission('book-create-all');
+ $requestData = $this->validate($request, $this->rules['create']);
+
+ $book = $this->bookRepo->create($requestData);
+ Activity::add($book, 'book_create', $book->id);
+
+ return response()->json($book);
+ }
+
+ /**
+ * View the details of a single book.
+ */
+ public function read(string $id)
+ {
+ $book = Book::visible()->with(['tags', 'cover', 'createdBy', 'updatedBy'])->findOrFail($id);
+ return response()->json($book);
+ }
+
+ /**
+ * Update the details of a single book.
+ * @throws ValidationException
+ */
+ public function update(Request $request, string $id)
+ {
+ $book = Book::visible()->findOrFail($id);
+ $this->checkOwnablePermission('book-update', $book);
+
+ $requestData = $this->validate($request, $this->rules['update']);
+ $book = $this->bookRepo->update($book, $requestData);
+ Activity::add($book, 'book_update', $book->id);
+
+ return response()->json($book);
+ }
+
+ /**
+ * Delete a single book from the system.
+ * @throws NotifyException
+ * @throws BindingResolutionException
+ */
+ public function delete(string $id)
+ {
+ $book = Book::visible()->findOrFail($id);
+ $this->checkOwnablePermission('book-delete', $book);
+
+ $this->bookRepo->destroy($book);
+ Activity::addMessage('book_delete', $book->name);
+
+ return response('', 204);
+ }
+}
\ No newline at end of file
public function __construct()
{
$this->middleware('guest');
+ $this->middleware('guard:standard');
parent::__construct();
}
namespace BookStack\Http\Controllers\Auth;
-use BookStack\Auth\Access\LdapService;
use BookStack\Auth\Access\SocialAuthService;
-use BookStack\Auth\UserRepo;
-use BookStack\Exceptions\AuthException;
+use BookStack\Exceptions\LoginAttemptEmailNeededException;
+use BookStack\Exceptions\LoginAttemptException;
+use BookStack\Exceptions\UserRegistrationException;
use BookStack\Http\Controllers\Controller;
-use Illuminate\Contracts\Auth\Authenticatable;
use Illuminate\Foundation\Auth\AuthenticatesUsers;
use Illuminate\Http\Request;
use AuthenticatesUsers;
/**
- * Where to redirect users after login.
- *
- * @var string
+ * Redirection paths
*/
protected $redirectTo = '/';
-
protected $redirectPath = '/';
protected $redirectAfterLogout = '/login';
protected $socialAuthService;
- protected $ldapService;
- protected $userRepo;
/**
* Create a new controller instance.
- *
- * @param \BookStack\Auth\\BookStack\Auth\Access\SocialAuthService $socialAuthService
- * @param LdapService $ldapService
- * @param \BookStack\Auth\UserRepo $userRepo
*/
- public function __construct(SocialAuthService $socialAuthService, LdapService $ldapService, UserRepo $userRepo)
+ public function __construct(SocialAuthService $socialAuthService)
{
- $this->middleware('guest', ['only' => ['getLogin', 'postLogin']]);
+ $this->middleware('guest', ['only' => ['getLogin', 'login']]);
+ $this->middleware('guard:standard,ldap', ['only' => ['login', 'logout']]);
+
$this->socialAuthService = $socialAuthService;
- $this->ldapService = $ldapService;
- $this->userRepo = $userRepo;
$this->redirectPath = url('/');
$this->redirectAfterLogout = url('/login');
parent::__construct();
}
/**
- * Overrides the action when a user is authenticated.
- * If the user authenticated but does not exist in the user table we create them.
- * @param Request $request
- * @param Authenticatable $user
- * @return \Illuminate\Http\RedirectResponse
- * @throws AuthException
- * @throws \BookStack\Exceptions\LdapException
+ * Get the needed authorization credentials from the request.
*/
- protected function authenticated(Request $request, Authenticatable $user)
+ protected function credentials(Request $request)
{
- // Explicitly log them out for now if they do no exist.
- if (!$user->exists) {
- auth()->logout($user);
- }
-
- if (!$user->exists && $user->email === null && !$request->filled('email')) {
- $request->flash();
- session()->flash('request-email', true);
- return redirect('/login');
- }
-
- if (!$user->exists && $user->email === null && $request->filled('email')) {
- $user->email = $request->get('email');
- }
-
- if (!$user->exists) {
- // Check for users with same email already
- $alreadyUser = $user->newQuery()->where('email', '=', $user->email)->count() > 0;
- if ($alreadyUser) {
- throw new AuthException(trans('errors.error_user_exists_different_creds', ['email' => $user->email]));
- }
-
- $user->save();
- $this->userRepo->attachDefaultRole($user);
- $this->userRepo->downloadAndAssignUserAvatar($user);
- auth()->login($user);
- }
-
- // Sync LDAP groups if required
- if ($this->ldapService->shouldSyncGroups()) {
- $this->ldapService->syncGroups($user, $request->get($this->username()));
- }
-
- return redirect()->intended('/');
+ return $request->only('username', 'email', 'password');
}
/**
* Show the application login form.
- * @param Request $request
- * @return \Illuminate\Http\Response
*/
public function getLogin(Request $request)
{
$socialDrivers = $this->socialAuthService->getActiveDrivers();
$authMethod = config('auth.method');
- $samlEnabled = config('saml2.enabled') === true;
if ($request->has('email')) {
session()->flashInput([
return view('auth.login', [
'socialDrivers' => $socialDrivers,
'authMethod' => $authMethod,
- 'samlEnabled' => $samlEnabled,
]);
}
/**
- * Redirect to the relevant social site.
- * @param $socialDriver
- * @return \Symfony\Component\HttpFoundation\RedirectResponse
- * @throws \BookStack\Exceptions\SocialDriverNotConfigured
+ * Handle a login request to the application.
+ *
+ * @param \Illuminate\Http\Request $request
+ * @return \Illuminate\Http\RedirectResponse|\Illuminate\Http\Response|\Illuminate\Http\JsonResponse
+ *
+ * @throws \Illuminate\Validation\ValidationException
*/
- public function getSocialLogin($socialDriver)
+ public function login(Request $request)
{
- session()->put('social-callback', 'login');
- return $this->socialAuthService->startLogIn($socialDriver);
+ $this->validateLogin($request);
+
+ // If the class is using the ThrottlesLogins trait, we can automatically throttle
+ // the login attempts for this application. We'll key this by the username and
+ // the IP address of the client making these requests into this application.
+ if (method_exists($this, 'hasTooManyLoginAttempts') &&
+ $this->hasTooManyLoginAttempts($request)) {
+ $this->fireLockoutEvent($request);
+
+ return $this->sendLockoutResponse($request);
+ }
+
+ try {
+ if ($this->attemptLogin($request)) {
+ return $this->sendLoginResponse($request);
+ }
+ } catch (LoginAttemptException $exception) {
+ return $this->sendLoginAttemptExceptionResponse($exception, $request);
+ }
+
+ // If the login attempt was unsuccessful we will increment the number of attempts
+ // to login and redirect the user back to the login form. Of course, when this
+ // user surpasses their maximum number of attempts they will get locked out.
+ $this->incrementLoginAttempts($request);
+
+ return $this->sendFailedLoginResponse($request);
}
/**
- * Log the user out of the application.
+ * Validate the user login request.
*
* @param \Illuminate\Http\Request $request
- * @return \Illuminate\Http\Response
+ * @return void
+ *
+ * @throws \Illuminate\Validation\ValidationException
*/
- public function logout(Request $request)
+ protected function validateLogin(Request $request)
{
- if (config('saml2.enabled') && session()->get('last_login_type') === 'saml2') {
- return redirect('/saml2/logout');
+ $rules = ['password' => 'required|string'];
+ $authMethod = config('auth.method');
+
+ if ($authMethod === 'standard') {
+ $rules['email'] = 'required|email';
+ }
+
+ if ($authMethod === 'ldap') {
+ $rules['username'] = 'required|string';
+ $rules['email'] = 'email';
}
- $this->guard()->logout();
+ $request->validate($rules);
+ }
- $request->session()->invalidate();
+ /**
+ * Send a response when a login attempt exception occurs.
+ */
+ protected function sendLoginAttemptExceptionResponse(LoginAttemptException $exception, Request $request)
+ {
+ if ($exception instanceof LoginAttemptEmailNeededException) {
+ $request->flash();
+ session()->flash('request-email', true);
+ }
- return $this->loggedOut($request) ?: redirect('/');
+ if ($message = $exception->getMessage()) {
+ $this->showWarningNotification($message);
+ }
+
+ return redirect('/login');
}
+
}
namespace BookStack\Http\Controllers\Auth;
-use BookStack\Auth\Access\EmailConfirmationService;
+use BookStack\Auth\Access\RegistrationService;
use BookStack\Auth\Access\SocialAuthService;
-use BookStack\Auth\SocialAccount;
use BookStack\Auth\User;
-use BookStack\Auth\UserRepo;
-use BookStack\Exceptions\SocialDriverNotConfigured;
-use BookStack\Exceptions\SocialSignInAccountNotUsed;
-use BookStack\Exceptions\SocialSignInException;
use BookStack\Exceptions\UserRegistrationException;
use BookStack\Http\Controllers\Controller;
-use Exception;
use Illuminate\Foundation\Auth\RegistersUsers;
-use Illuminate\Http\RedirectResponse;
use Illuminate\Http\Request;
-use Illuminate\Http\Response;
-use Illuminate\Routing\Redirector;
use Illuminate\Support\Facades\Hash;
-use Illuminate\Support\Str;
-use Laravel\Socialite\Contracts\User as SocialUser;
use Validator;
class RegisterController extends Controller
use RegistersUsers;
protected $socialAuthService;
- protected $emailConfirmationService;
- protected $userRepo;
+ protected $registrationService;
/**
* Where to redirect users after login / registration.
/**
* Create a new controller instance.
- *
- * @param SocialAuthService $socialAuthService
- * @param EmailConfirmationService $emailConfirmationService
- * @param UserRepo $userRepo
*/
- public function __construct(SocialAuthService $socialAuthService, EmailConfirmationService $emailConfirmationService, UserRepo $userRepo)
+ public function __construct(SocialAuthService $socialAuthService, RegistrationService $registrationService)
{
- $this->middleware('guest')->only(['getRegister', 'postRegister', 'socialRegister']);
+ $this->middleware('guest');
+ $this->middleware('guard:standard');
+
$this->socialAuthService = $socialAuthService;
- $this->emailConfirmationService = $emailConfirmationService;
- $this->userRepo = $userRepo;
+ $this->registrationService = $registrationService;
+
$this->redirectTo = url('/');
$this->redirectPath = url('/');
parent::__construct();
/**
* Get a validator for an incoming registration request.
*
- * @param array $data
* @return \Illuminate\Contracts\Validation\Validator
*/
protected function validator(array $data)
]);
}
- /**
- * Check whether or not registrations are allowed in the app settings.
- * @throws UserRegistrationException
- */
- protected function checkRegistrationAllowed()
- {
- if (!setting('registration-enabled')) {
- throw new UserRegistrationException(trans('auth.registrations_disabled'), '/login');
- }
- }
-
/**
* Show the application registration form.
- * @return Response
* @throws UserRegistrationException
*/
public function getRegister()
{
- $this->checkRegistrationAllowed();
+ $this->registrationService->ensureRegistrationAllowed();
$socialDrivers = $this->socialAuthService->getActiveDrivers();
- $samlEnabled = (config('saml2.enabled') === true) && (config('saml2.auto_register') === true);
return view('auth.register', [
'socialDrivers' => $socialDrivers,
- 'samlEnabled' => $samlEnabled,
]);
}
/**
* Handle a registration request for the application.
- * @param Request|Request $request
- * @return RedirectResponse|Redirector
* @throws UserRegistrationException
*/
public function postRegister(Request $request)
{
- $this->checkRegistrationAllowed();
+ $this->registrationService->ensureRegistrationAllowed();
$this->validator($request->all())->validate();
-
$userData = $request->all();
- return $this->registerUser($userData);
+
+ try {
+ $user = $this->registrationService->registerUser($userData);
+ auth()->login($user);
+ } catch (UserRegistrationException $exception) {
+ if ($exception->getMessage()) {
+ $this->showErrorNotification($exception->getMessage());
+ }
+ return redirect($exception->redirectLocation);
+ }
+
+ $this->showSuccessNotification(trans('auth.register_success'));
+ return redirect($this->redirectPath());
}
/**
]);
}
- /**
- * The registrations flow for all users.
- * @param array $userData
- * @param bool|false|SocialAccount $socialAccount
- * @param bool $emailVerified
- * @return RedirectResponse|Redirector
- * @throws UserRegistrationException
- */
- protected function registerUser(array $userData, $socialAccount = false, $emailVerified = false)
- {
- $registrationRestrict = setting('registration-restrict');
-
- if ($registrationRestrict) {
- $restrictedEmailDomains = explode(',', str_replace(' ', '', $registrationRestrict));
- $userEmailDomain = $domain = mb_substr(mb_strrchr($userData['email'], "@"), 1);
- if (!in_array($userEmailDomain, $restrictedEmailDomains)) {
- throw new UserRegistrationException(trans('auth.registration_email_domain_invalid'), '/register');
- }
- }
-
- $newUser = $this->userRepo->registerNew($userData, $emailVerified);
- if ($socialAccount) {
- $newUser->socialAccounts()->save($socialAccount);
- }
-
- if ($this->emailConfirmationService->confirmationRequired() && !$emailVerified) {
- $newUser->save();
-
- try {
- $this->emailConfirmationService->sendConfirmation($newUser);
- } catch (Exception $e) {
- $this->showErrorNotification(trans('auth.email_confirm_send_error'));
- }
-
- return redirect('/register/confirm');
- }
-
- auth()->login($newUser);
- $this->showSuccessNotification(trans('auth.register_success'));
- return redirect($this->redirectPath());
- }
-
- /**
- * Redirect to the social site for authentication intended to register.
- * @param $socialDriver
- * @return mixed
- * @throws UserRegistrationException
- * @throws SocialDriverNotConfigured
- */
- public function socialRegister($socialDriver)
- {
- $this->checkRegistrationAllowed();
- session()->put('social-callback', 'register');
- return $this->socialAuthService->startRegister($socialDriver);
- }
-
- /**
- * The callback for social login services.
- * @param Request $request
- * @param string $socialDriver
- * @return RedirectResponse|Redirector
- * @throws SocialSignInException
- * @throws UserRegistrationException
- * @throws SocialDriverNotConfigured
- */
- public function socialCallback(Request $request, string $socialDriver)
- {
- if (!session()->has('social-callback')) {
- throw new SocialSignInException(trans('errors.social_no_action_defined'), '/login');
- }
-
- // Check request for error information
- if ($request->has('error') && $request->has('error_description')) {
- throw new SocialSignInException(trans('errors.social_login_bad_response', [
- 'socialAccount' => $socialDriver,
- 'error' => $request->get('error_description'),
- ]), '/login');
- }
-
- $action = session()->pull('social-callback');
-
- // Attempt login or fall-back to register if allowed.
- $socialUser = $this->socialAuthService->getSocialUser($socialDriver);
- if ($action == 'login') {
- try {
- return $this->socialAuthService->handleLoginCallback($socialDriver, $socialUser);
- } catch (SocialSignInAccountNotUsed $exception) {
- if ($this->socialAuthService->driverAutoRegisterEnabled($socialDriver)) {
- return $this->socialRegisterCallback($socialDriver, $socialUser);
- }
- throw $exception;
- }
- }
-
- if ($action == 'register') {
- return $this->socialRegisterCallback($socialDriver, $socialUser);
- }
-
- return redirect()->back();
- }
-
- /**
- * Detach a social account from a user.
- * @param $socialDriver
- * @return RedirectResponse|Redirector
- */
- public function detachSocialAccount($socialDriver)
- {
- return $this->socialAuthService->detachSocialAccount($socialDriver);
- }
-
- /**
- * Register a new user after a registration callback.
- * @param string $socialDriver
- * @param SocialUser $socialUser
- * @return RedirectResponse|Redirector
- * @throws UserRegistrationException
- */
- protected function socialRegisterCallback(string $socialDriver, SocialUser $socialUser)
- {
- $socialUser = $this->socialAuthService->handleRegistrationCallback($socialDriver, $socialUser);
- $socialAccount = $this->socialAuthService->fillSocialAccount($socialDriver, $socialUser);
- $emailVerified = $this->socialAuthService->driverAutoConfirmEmailEnabled($socialDriver);
-
- // Create an array of the user data to create a new user instance
- $userData = [
- 'name' => $socialUser->getName(),
- 'email' => $socialUser->getEmail(),
- 'password' => Str::random(30)
- ];
- return $this->registerUser($userData, $socialAccount, $emailVerified);
- }
}
public function __construct()
{
$this->middleware('guest');
+ $this->middleware('guard:standard');
parent::__construct();
}
{
parent::__construct();
$this->samlService = $samlService;
-
- // SAML2 access middleware
- $this->middleware(function ($request, $next) {
- if (!config('saml2.enabled')) {
- $this->showPermissionError();
- }
-
- return $next($request);
- });
+ $this->middleware('guard:saml2');
}
/**
return redirect('/login');
}
- session()->put('last_login_type', 'saml2');
return redirect()->intended();
}
--- /dev/null
+<?php
+
+namespace BookStack\Http\Controllers\Auth;
+
+use BookStack\Auth\Access\RegistrationService;
+use BookStack\Auth\Access\SocialAuthService;
+use BookStack\Exceptions\SocialDriverNotConfigured;
+use BookStack\Exceptions\SocialSignInAccountNotUsed;
+use BookStack\Exceptions\SocialSignInException;
+use BookStack\Exceptions\UserRegistrationException;
+use BookStack\Http\Controllers\Controller;
+use Illuminate\Http\RedirectResponse;
+use Illuminate\Http\Request;
+use Illuminate\Routing\Redirector;
+use Illuminate\Support\Str;
+use Laravel\Socialite\Contracts\User as SocialUser;
+
+class SocialController extends Controller
+{
+
+ protected $socialAuthService;
+ protected $registrationService;
+
+ /**
+ * SocialController constructor.
+ */
+ public function __construct(SocialAuthService $socialAuthService, RegistrationService $registrationService)
+ {
+ $this->middleware('guest')->only(['getRegister', 'postRegister']);
+ $this->socialAuthService = $socialAuthService;
+ $this->registrationService = $registrationService;
+ }
+
+
+ /**
+ * Redirect to the relevant social site.
+ * @throws \BookStack\Exceptions\SocialDriverNotConfigured
+ */
+ public function getSocialLogin(string $socialDriver)
+ {
+ session()->put('social-callback', 'login');
+ return $this->socialAuthService->startLogIn($socialDriver);
+ }
+
+ /**
+ * Redirect to the social site for authentication intended to register.
+ * @throws SocialDriverNotConfigured
+ * @throws UserRegistrationException
+ */
+ public function socialRegister(string $socialDriver)
+ {
+ $this->registrationService->ensureRegistrationAllowed();
+ session()->put('social-callback', 'register');
+ return $this->socialAuthService->startRegister($socialDriver);
+ }
+
+ /**
+ * The callback for social login services.
+ * @throws SocialSignInException
+ * @throws SocialDriverNotConfigured
+ * @throws UserRegistrationException
+ */
+ public function socialCallback(Request $request, string $socialDriver)
+ {
+ if (!session()->has('social-callback')) {
+ throw new SocialSignInException(trans('errors.social_no_action_defined'), '/login');
+ }
+
+ // Check request for error information
+ if ($request->has('error') && $request->has('error_description')) {
+ throw new SocialSignInException(trans('errors.social_login_bad_response', [
+ 'socialAccount' => $socialDriver,
+ 'error' => $request->get('error_description'),
+ ]), '/login');
+ }
+
+ $action = session()->pull('social-callback');
+
+ // Attempt login or fall-back to register if allowed.
+ $socialUser = $this->socialAuthService->getSocialUser($socialDriver);
+ if ($action === 'login') {
+ try {
+ return $this->socialAuthService->handleLoginCallback($socialDriver, $socialUser);
+ } catch (SocialSignInAccountNotUsed $exception) {
+ if ($this->socialAuthService->driverAutoRegisterEnabled($socialDriver)) {
+ return $this->socialRegisterCallback($socialDriver, $socialUser);
+ }
+ throw $exception;
+ }
+ }
+
+ if ($action === 'register') {
+ return $this->socialRegisterCallback($socialDriver, $socialUser);
+ }
+
+ return redirect()->back();
+ }
+
+ /**
+ * Detach a social account from a user.
+ */
+ public function detachSocialAccount(string $socialDriver)
+ {
+ $this->socialAuthService->detachSocialAccount($socialDriver);
+ session()->flash('success', trans('settings.users_social_disconnected', ['socialAccount' => Str::title($socialDriver)]));
+ return redirect(user()->getEditUrl());
+ }
+
+ /**
+ * Register a new user after a registration callback.
+ * @throws UserRegistrationException
+ */
+ protected function socialRegisterCallback(string $socialDriver, SocialUser $socialUser)
+ {
+ $socialUser = $this->socialAuthService->handleRegistrationCallback($socialDriver, $socialUser);
+ $socialAccount = $this->socialAuthService->fillSocialAccount($socialDriver, $socialUser);
+ $emailVerified = $this->socialAuthService->driverAutoConfirmEmailEnabled($socialDriver);
+
+ // Create an array of the user data to create a new user instance
+ $userData = [
+ 'name' => $socialUser->getName(),
+ 'email' => $socialUser->getEmail(),
+ 'password' => Str::random(32)
+ ];
+
+ // Take name from email address if empty
+ if (!$userData['name']) {
+ $userData['name'] = explode('@', $userData['email'])[0];
+ }
+
+ $user = $this->registrationService->registerUser($userData, $socialAccount, $emailVerified);
+ auth()->login($user);
+
+ $this->showSuccessNotification(trans('auth.register_success'));
+ return redirect('/');
+ }
+}
use BookStack\Exceptions\UserTokenNotFoundException;
use BookStack\Http\Controllers\Controller;
use Exception;
-use Illuminate\Contracts\View\Factory;
use Illuminate\Http\RedirectResponse;
use Illuminate\Http\Request;
use Illuminate\Routing\Redirector;
-use Illuminate\View\View;
class UserInviteController extends Controller
{
/**
* Create a new controller instance.
- *
- * @param UserInviteService $inviteService
- * @param UserRepo $userRepo
*/
public function __construct(UserInviteService $inviteService, UserRepo $userRepo)
{
+ $this->middleware('guest');
+ $this->middleware('guard:standard');
+
$this->inviteService = $inviteService;
$this->userRepo = $userRepo;
- $this->middleware('guest');
+
parent::__construct();
}
/**
* Show the page for the user to set the password for their account.
- * @param string $token
- * @return Factory|View|RedirectResponse
* @throws Exception
*/
public function showSetPassword(string $token)
/**
* Sets the password for an invited user and then grants them access.
- * @param Request $request
- * @param string $token
- * @return RedirectResponse|Redirector
* @throws Exception
*/
public function setPassword(Request $request, string $token)
/**
* Check and validate the exception thrown when checking an invite token.
- * @param Exception $exception
* @return RedirectResponse|Redirector
* @throws Exception
*/
$this->validate($request, [
'name' => 'required|string|max:255',
'description' => 'string|max:1000',
- 'image' => $this->getImageValidationRules(),
+ 'image' => 'nullable|' . $this->getImageValidationRules(),
]);
$bookshelf = null;
$this->validate($request, [
'name' => 'required|string|max:255',
'description' => 'string|max:1000',
- 'image' => $this->getImageValidationRules(),
+ 'image' => 'nullable|' . $this->getImageValidationRules(),
]);
$book = $this->bookRepo->update($book, $request->all());
$this->validate($request, [
'name' => 'required|string|max:255',
'description' => 'string|max:1000',
- 'image' => $this->getImageValidationRules(),
+ 'image' => 'nullable|' . $this->getImageValidationRules(),
]);
$bookIds = explode(',', $request->get('books', ''));
$shelf = $this->bookshelfRepo->create($request->all(), $bookIds);
- $this->bookshelfRepo->updateCoverImage($shelf);
+ $this->bookshelfRepo->updateCoverImage($shelf, $request->file('image', null));
Activity::add($shelf, 'bookshelf_create');
return redirect($shelf->getUrl());
$this->validate($request, [
'name' => 'required|string|max:255',
'description' => 'string|max:1000',
- 'image' => $this->imageRepo->getImageValidationRules(),
+ 'image' => 'nullable|' . $this->getImageValidationRules(),
]);
{
$this->checkPermission('image-create-all');
$this->validate($request, [
- 'file' => $this->imageRepo->getImageValidationRules()
+ 'file' => $this->getImageValidationRules()
]);
try {
$this->checkOwnablePermission('page-delete', $page);
$book = $page->book;
+ $parent = $page->chapter ?? $book;
$this->pageRepo->destroy($page);
Activity::addMessage('page_delete', $page->name, $book->id);
$this->showSuccessNotification(trans('entities.pages_delete_success'));
- return redirect($book->getUrl());
+ return redirect($parent->getUrl());
}
/**
// Page in chapter
if ($entity->isA('page') && $entity->chapter) {
- $entities = $entity->chapter->visiblePages();
+ $entities = $entity->chapter->getVisiblePages();
}
// Page in book or chapter
use BookStack\Uploads\ImageRepo;
use BookStack\Uploads\ImageService;
use Illuminate\Http\Request;
-use Illuminate\Http\Response;
-use Setting;
class SettingController extends Controller
{
/**
* SettingController constructor.
- * @param $imageRepo
*/
public function __construct(ImageRepo $imageRepo)
{
parent::__construct();
}
-
/**
* Display a listing of the settings.
- * @return Response
*/
public function index()
{
/**
* Update the specified settings in storage.
- * @param Request $request
- * @return Response
*/
public function update(Request $request)
{
$this->preventAccessInDemoMode();
$this->checkPermission('settings-manage');
$this->validate($request, [
- 'app_logo' => $this->imageRepo->getImageValidationRules(),
+ 'app_logo' => 'nullable|' . $this->getImageValidationRules(),
]);
// Cycles through posted settings and update them
}
// Update logo image if set
- if ($request->has('app_logo')) {
+ if ($request->hasFile('app_logo')) {
$logoFile = $request->file('app_logo');
$this->imageRepo->destroyByType('system');
$image = $this->imageRepo->saveNew($logoFile, 'system', 0, null, 86);
}
$this->showSuccessNotification(trans('settings.settings_save_success'));
- return redirect('/settings');
+ $redirectLocation = '/settings#' . $request->get('section', '');
+ return redirect(rtrim($redirectLocation, '#'));
}
/**
* Show the page for application maintenance.
- * @return \Illuminate\Contracts\View\Factory|\Illuminate\View\View
*/
public function showMaintenance()
{
/**
* Action to clean-up images in the system.
- * @param Request $request
- * @param ImageService $imageService
- * @return \Illuminate\Http\RedirectResponse|\Illuminate\Routing\Redirector
*/
public function cleanupImages(Request $request, ImageService $imageService)
{
/**
* Action to send a test e-mail to the current user.
- * @param Request $request
- * @param User $user
- * @return \Illuminate\Http\RedirectResponse|\Illuminate\Routing\Redirector
*/
- public function sendTestEmail(Request $request)
+ public function sendTestEmail()
{
$this->checkPermission('settings-manage');
- user()->notify(new TestEmail());
- $this->showSuccessNotification(trans('settings.maint_send_test_email_success', ['address' => user()->email]));
+ try {
+ user()->notify(new TestEmail());
+ $this->showSuccessNotification(trans('settings.maint_send_test_email_success', ['address' => user()->email]));
+ } catch (\Exception $exception) {
+ $errorMessage = trans('errors.maintenance_test_email_failure') . "\n" . $exception->getMessage();
+ $this->showErrorNotification($errorMessage);
+ }
+
return redirect('/settings/maintenance#image-cleanup')->withInput();
}
--- /dev/null
+<?php namespace BookStack\Http\Controllers;
+
+use BookStack\Api\ApiToken;
+use BookStack\Auth\User;
+use Illuminate\Http\Request;
+use Illuminate\Support\Carbon;
+use Illuminate\Support\Facades\Hash;
+use Illuminate\Support\Str;
+
+class UserApiTokenController extends Controller
+{
+
+ /**
+ * Show the form to create a new API token.
+ */
+ public function create(int $userId)
+ {
+ // Ensure user is has access-api permission and is the current user or has permission to manage the current user.
+ $this->checkPermission('access-api');
+ $this->checkPermissionOrCurrentUser('users-manage', $userId);
+
+ $user = User::query()->findOrFail($userId);
+ return view('users.api-tokens.create', [
+ 'user' => $user,
+ ]);
+ }
+
+ /**
+ * Store a new API token in the system.
+ */
+ public function store(Request $request, int $userId)
+ {
+ $this->checkPermission('access-api');
+ $this->checkPermissionOrCurrentUser('users-manage', $userId);
+
+ $this->validate($request, [
+ 'name' => 'required|max:250',
+ 'expires_at' => 'date_format:Y-m-d',
+ ]);
+
+ $user = User::query()->findOrFail($userId);
+ $secret = Str::random(32);
+
+ $token = (new ApiToken())->forceFill([
+ 'name' => $request->get('name'),
+ 'token_id' => Str::random(32),
+ 'secret' => Hash::make($secret),
+ 'user_id' => $user->id,
+ 'expires_at' => $request->get('expires_at') ?: ApiToken::defaultExpiry(),
+ ]);
+
+ while (ApiToken::query()->where('token_id', '=', $token->token_id)->exists()) {
+ $token->token_id = Str::random(32);
+ }
+
+ $token->save();
+
+ session()->flash('api-token-secret:' . $token->id, $secret);
+ $this->showSuccessNotification(trans('settings.user_api_token_create_success'));
+ return redirect($user->getEditUrl('/api-tokens/' . $token->id));
+ }
+
+ /**
+ * Show the details for a user API token, with access to edit.
+ */
+ public function edit(int $userId, int $tokenId)
+ {
+ [$user, $token] = $this->checkPermissionAndFetchUserToken($userId, $tokenId);
+ $secret = session()->pull('api-token-secret:' . $token->id, null);
+
+ return view('users.api-tokens.edit', [
+ 'user' => $user,
+ 'token' => $token,
+ 'model' => $token,
+ 'secret' => $secret,
+ ]);
+ }
+
+ /**
+ * Update the API token.
+ */
+ public function update(Request $request, int $userId, int $tokenId)
+ {
+ $this->validate($request, [
+ 'name' => 'required|max:250',
+ 'expires_at' => 'date_format:Y-m-d',
+ ]);
+
+ [$user, $token] = $this->checkPermissionAndFetchUserToken($userId, $tokenId);
+ $token->fill([
+ 'name' => $request->get('name'),
+ 'expires_at' => $request->get('expires_at') ?: ApiToken::defaultExpiry(),
+ ])->save();
+
+ $this->showSuccessNotification(trans('settings.user_api_token_update_success'));
+ return redirect($user->getEditUrl('/api-tokens/' . $token->id));
+ }
+
+ /**
+ * Show the delete view for this token.
+ */
+ public function delete(int $userId, int $tokenId)
+ {
+ [$user, $token] = $this->checkPermissionAndFetchUserToken($userId, $tokenId);
+ return view('users.api-tokens.delete', [
+ 'user' => $user,
+ 'token' => $token,
+ ]);
+ }
+
+ /**
+ * Destroy a token from the system.
+ */
+ public function destroy(int $userId, int $tokenId)
+ {
+ [$user, $token] = $this->checkPermissionAndFetchUserToken($userId, $tokenId);
+ $token->delete();
+
+ $this->showSuccessNotification(trans('settings.user_api_token_delete_success'));
+ return redirect($user->getEditUrl('#api_tokens'));
+ }
+
+ /**
+ * Check the permission for the current user and return an array
+ * where the first item is the user in context and the second item is their
+ * API token in context.
+ */
+ protected function checkPermissionAndFetchUserToken(int $userId, int $tokenId): array
+ {
+ $this->checkPermissionOr('users-manage', function () use ($userId) {
+ return $userId === user()->id && userCan('access-api');
+ });
+
+ $user = User::query()->findOrFail($userId);
+ $token = ApiToken::query()->where('user_id', '=', $user->id)->where('id', '=', $tokenId)->firstOrFail();
+ return [$user, $token];
+ }
+
+}
/**
* Show the form for editing the specified user.
- * @param int $id
- * @param \BookStack\Auth\Access\SocialAuthService $socialAuthService
- * @return Response
*/
- public function edit($id, SocialAuthService $socialAuthService)
+ public function edit(int $id, SocialAuthService $socialAuthService)
{
$this->checkPermissionOrCurrentUser('users-manage', $id);
- $user = $this->user->findOrFail($id);
+ $user = $this->user->newQuery()->with(['apiTokens'])->findOrFail($id);
$authMethod = ($user->system_name) ? 'system' : config('auth.method');
$activeSocialDrivers = $socialAuthService->getActiveDrivers();
$this->setPageTitle(trans('settings.user_profile'));
$roles = $this->userRepo->getAllRoles();
- return view('users.edit', ['user' => $user, 'activeSocialDrivers' => $activeSocialDrivers, 'authMethod' => $authMethod, 'roles' => $roles]);
+ return view('users.edit', [
+ 'user' => $user,
+ 'activeSocialDrivers' => $activeSocialDrivers,
+ 'authMethod' => $authMethod,
+ 'roles' => $roles
+ ]);
}
/**
'password' => 'min:6|required_with:password_confirm',
'password-confirm' => 'same:password|required_with:password',
'setting' => 'array',
- 'profile_image' => $this->imageRepo->getImageValidationRules(),
+ 'profile_image' => 'nullable|' . $this->getImageValidationRules(),
]);
$user = $this->userRepo->getById($id);
}
// Save profile image if in request
- if ($request->has('profile_image')) {
+ if ($request->hasFile('profile_image')) {
$imageUpload = $request->file('profile_image');
$this->imageRepo->destroyImage($user->avatar);
$image = $this->imageRepo->saveNew($imageUpload, 'user', $user->id);
{
/**
* The application's global HTTP middleware stack.
- *
* These middleware are run during every request to your application.
- *
- * @var array
*/
protected $middleware = [
\BookStack\Http\Middleware\CheckForMaintenanceMode::class,
\Illuminate\View\Middleware\ShareErrorsFromSession::class,
\Illuminate\Routing\Middleware\ThrottleRequests::class,
\BookStack\Http\Middleware\VerifyCsrfToken::class,
- \Illuminate\Routing\Middleware\SubstituteBindings::class,
\BookStack\Http\Middleware\Localization::class,
\BookStack\Http\Middleware\GlobalViewData::class,
],
'api' => [
- 'throttle:60,1',
- 'bindings',
+ \BookStack\Http\Middleware\ThrottleApiRequests::class,
+ \BookStack\Http\Middleware\EncryptCookies::class,
+ \BookStack\Http\Middleware\StartSessionIfCookieExists::class,
+ \BookStack\Http\Middleware\ApiAuthenticate::class,
],
];
*/
protected $routeMiddleware = [
'auth' => \BookStack\Http\Middleware\Authenticate::class,
- 'auth.basic' => \Illuminate\Auth\Middleware\AuthenticateWithBasicAuth::class,
'can' => \Illuminate\Auth\Middleware\Authorize::class,
'guest' => \BookStack\Http\Middleware\RedirectIfAuthenticated::class,
- 'throttle' => \Illuminate\Routing\Middleware\ThrottleRequests::class,
- 'perm' => \BookStack\Http\Middleware\PermissionMiddleware::class
+ 'throttle' => \Illuminate\Routing\Middleware\ThrottleRequests::class,
+ 'perm' => \BookStack\Http\Middleware\PermissionMiddleware::class,
+ 'guard' => \BookStack\Http\Middleware\CheckGuard::class,
];
}
--- /dev/null
+<?php
+
+namespace BookStack\Http\Middleware;
+
+use BookStack\Exceptions\ApiAuthException;
+use BookStack\Exceptions\UnauthorizedException;
+use Closure;
+use Illuminate\Http\Request;
+
+class ApiAuthenticate
+{
+ use ChecksForEmailConfirmation;
+
+ /**
+ * Handle an incoming request.
+ */
+ public function handle(Request $request, Closure $next)
+ {
+ // Validate the token and it's users API access
+ try {
+ $this->ensureAuthorizedBySessionOrToken();
+ } catch (UnauthorizedException $exception) {
+ return $this->unauthorisedResponse($exception->getMessage(), $exception->getCode());
+ }
+
+ return $next($request);
+ }
+
+ /**
+ * Ensure the current user can access authenticated API routes, either via existing session
+ * authentication or via API Token authentication.
+ * @throws UnauthorizedException
+ */
+ protected function ensureAuthorizedBySessionOrToken(): void
+ {
+ // Return if the user is already found to be signed in via session-based auth.
+ // This is to make it easy to browser the API via browser after just logging into the system.
+ if (signedInUser()) {
+ $this->ensureEmailConfirmedIfRequested();
+ if (!auth()->user()->can('access-api')) {
+ throw new ApiAuthException(trans('errors.api_user_no_api_permission'), 403);
+ }
+ return;
+ }
+
+ // Set our api guard to be the default for this request lifecycle.
+ auth()->shouldUse('api');
+
+ // Validate the token and it's users API access
+ auth()->authenticate();
+ $this->ensureEmailConfirmedIfRequested();
+ }
+
+ /**
+ * Provide a standard API unauthorised response.
+ */
+ protected function unauthorisedResponse(string $message, int $code)
+ {
+ return response()->json([
+ 'error' => [
+ 'code' => $code,
+ 'message' => $message,
+ ]
+ ], $code);
+ }
+}
namespace BookStack\Http\Middleware;
use Closure;
-use Illuminate\Contracts\Auth\Guard;
+use Illuminate\Http\Request;
class Authenticate
{
- /**
- * The Guard implementation.
- * @var Guard
- */
- protected $auth;
-
- /**
- * Create a new filter instance.
- * @param Guard $auth
- */
- public function __construct(Guard $auth)
- {
- $this->auth = $auth;
- }
+ use ChecksForEmailConfirmation;
/**
* Handle an incoming request.
- * @param \Illuminate\Http\Request $request
- * @param \Closure $next
- * @return mixed
*/
- public function handle($request, Closure $next)
+ public function handle(Request $request, Closure $next)
{
- if ($this->auth->check()) {
- $requireConfirmation = (setting('registration-confirmation') || setting('registration-restrict'));
- if ($requireConfirmation && !$this->auth->user()->email_confirmed) {
- return redirect('/register/confirm/awaiting');
- }
+ if ($this->awaitingEmailConfirmation()) {
+ return $this->emailConfirmationErrorResponse($request);
}
if (!hasAppAccess()) {
return $next($request);
}
+
+ /**
+ * Provide an error response for when the current user's email is not confirmed
+ * in a system which requires it.
+ */
+ protected function emailConfirmationErrorResponse(Request $request)
+ {
+ if ($request->wantsJson()) {
+ return response()->json([
+ 'error' => [
+ 'code' => 401,
+ 'message' => trans('errors.email_confirmation_awaiting')
+ ]
+ ], 401);
+ }
+
+ return redirect('/register/confirm/awaiting');
+ }
}
--- /dev/null
+<?php
+
+namespace BookStack\Http\Middleware;
+
+use Closure;
+
+class CheckGuard
+{
+ /**
+ * Handle an incoming request.
+ *
+ * @param \Illuminate\Http\Request $request
+ * @param \Closure $next
+ * @param string $allowedGuards
+ * @return mixed
+ */
+ public function handle($request, Closure $next, ...$allowedGuards)
+ {
+ $activeGuard = config('auth.method');
+ if (!in_array($activeGuard, $allowedGuards)) {
+ session()->flash('error', trans('errors.permission'));
+ return redirect('/');
+ }
+
+ return $next($request);
+ }
+}
--- /dev/null
+<?php
+
+namespace BookStack\Http\Middleware;
+
+use BookStack\Exceptions\UnauthorizedException;
+use Illuminate\Http\Request;
+
+trait ChecksForEmailConfirmation
+{
+ /**
+ * Check if the current user has a confirmed email if the instance deems it as required.
+ * Throws if confirmation is required by the user.
+ * @throws UnauthorizedException
+ */
+ protected function ensureEmailConfirmedIfRequested()
+ {
+ if ($this->awaitingEmailConfirmation()) {
+ throw new UnauthorizedException(trans('errors.email_confirmation_awaiting'));
+ }
+ }
+
+ /**
+ * Check if email confirmation is required and the current user is awaiting confirmation.
+ */
+ protected function awaitingEmailConfirmation(): bool
+ {
+ if (auth()->check()) {
+ $requireConfirmation = (setting('registration-confirmation') || setting('registration-restrict'));
+ if ($requireConfirmation && !auth()->user()->email_confirmed) {
+ return true;
+ }
+ }
+
+ return false;
+ }
+}
\ No newline at end of file
* Array of right-to-left locales
* @var array
*/
- protected $rtlLocales = ['ar'];
+ protected $rtlLocales = ['ar', 'he'];
/**
* Map of BookStack locale names to best-estimate system locale names.
*/
protected $localeMap = [
'ar' => 'ar',
+ 'da' => 'da_DK',
'de' => 'de_DE',
'de_informal' => 'de_DE',
'en' => 'en_GB',
'es' => 'es_ES',
'es_AR' => 'es_AR',
'fr' => 'fr_FR',
+ 'he' => 'he_IL',
'it' => 'it_IT',
'ja' => 'ja',
'ko' => 'ko_KR',
'nl' => 'nl_NL',
'pl' => 'pl_PL',
+ 'pt' => 'pl_PT',
'pt_BR' => 'pt_BR',
'ru' => 'ru',
'sk' => 'sk_SK',
'sv' => 'sv_SE',
'uk' => 'uk_UA',
+ 'vi' => 'vi_VN',
'zh_CN' => 'zh_CN',
'zh_TW' => 'zh_TW',
'tr' => 'tr_TR',
{
if (!$request->user() || !$request->user()->can($permission)) {
- Session::flash('error', trans('errors.permission'));
+ session()->flash('error', trans('errors.permission'));
return redirect()->back();
}
--- /dev/null
+<?php
+
+namespace BookStack\Http\Middleware;
+
+use Closure;
+use Illuminate\Session\Middleware\StartSession as Middleware;
+
+class StartSessionIfCookieExists extends Middleware
+{
+ /**
+ * Handle an incoming request.
+ */
+ public function handle($request, Closure $next)
+ {
+ $sessionCookieName = config('session.cookie');
+ if ($request->cookies->has($sessionCookieName)) {
+ return parent::handle($request, $next);
+ }
+
+ return $next($request);
+ }
+}
--- /dev/null
+<?php
+
+namespace BookStack\Http\Middleware;
+
+use Illuminate\Routing\Middleware\ThrottleRequests as Middleware;
+
+class ThrottleApiRequests extends Middleware
+{
+
+ /**
+ * Resolve the number of attempts if the user is authenticated or not.
+ */
+ protected function resolveMaxAttempts($request, $maxAttempts)
+ {
+ return (int) config('api.requests_per_minute');
+ }
+
+}
\ No newline at end of file
* @param Closure $next
* @return mixed
*/
- public function handle($request, Closure $next)
+ public function handle(Request $request, Closure $next)
{
$setProxies = config('app.proxies');
if ($setProxies !== '**' && $setProxies !== '*' && $setProxies !== '') {
namespace BookStack\Providers;
use Auth;
+use BookStack\Api\ApiTokenGuard;
+use BookStack\Auth\Access\ExternalBaseUserProvider;
+use BookStack\Auth\Access\Guards\LdapSessionGuard;
+use BookStack\Auth\Access\Guards\Saml2SessionGuard;
use BookStack\Auth\Access\LdapService;
+use BookStack\Auth\Access\RegistrationService;
+use BookStack\Auth\UserRepo;
use Illuminate\Support\ServiceProvider;
class AuthServiceProvider extends ServiceProvider
*/
public function boot()
{
- //
+ Auth::extend('api-token', function ($app, $name, array $config) {
+ return new ApiTokenGuard($app['request']);
+ });
+
+ Auth::extend('ldap-session', function ($app, $name, array $config) {
+ $provider = Auth::createUserProvider($config['provider']);
+ return new LdapSessionGuard(
+ $name,
+ $provider,
+ $this->app['session.store'],
+ $app[LdapService::class],
+ $app[RegistrationService::class]
+ );
+ });
+
+ Auth::extend('saml2-session', function ($app, $name, array $config) {
+ $provider = Auth::createUserProvider($config['provider']);
+ return new Saml2SessionGuard(
+ $name,
+ $provider,
+ $this->app['session.store'],
+ $app[RegistrationService::class]
+ );
+ });
}
/**
*/
public function register()
{
- Auth::provider('ldap', function ($app, array $config) {
- return new LdapUserProvider($config['model'], $app[LdapService::class]);
+ Auth::provider('external-users', function ($app, array $config) {
+ return new ExternalBaseUserProvider($config['model']);
});
}
}
public function map()
{
$this->mapWebRoutes();
-// $this->mapApiRoutes();
+ $this->mapApiRoutes();
}
/**
* Define the "web" routes for the application.
{
Route::group([
'middleware' => 'api',
- 'namespace' => $this->namespace,
+ 'namespace' => $this->namespace . '\Api',
'prefix' => 'api',
], function ($router) {
require base_path('routes/api.php');
*/
protected function getValueFromStore($key, $default)
{
- // Check for an overriding value
- $overrideValue = $this->getOverrideValue($key);
- if ($overrideValue !== null) {
- return $overrideValue;
- }
-
// Check the cache
$cacheKey = $this->cachePrefix . $key;
$cacheVal = $this->cache->get($cacheKey, null);
{
return $this->setting->where('setting_key', '=', $key)->first();
}
-
-
- /**
- * Returns an override value for a setting based on certain app conditions.
- * Used where certain configuration options overrule others.
- * Returns null if no override value is available.
- * @param $key
- * @return bool|null
- */
- protected function getOverrideValue($key)
- {
- if ($key === 'registration-enabled' && config('auth.method') === 'ldap') {
- return false;
- }
- return null;
- }
}
{
protected $fillable = ['name'];
+ protected $hidden = [];
/**
* Get a thumbnail for this image.
use BookStack\Auth\Permissions\PermissionService;
use BookStack\Entities\Page;
+use BookStack\Exceptions\ImageUploadException;
+use Exception;
use Illuminate\Database\Eloquent\Builder;
use Symfony\Component\HttpFoundation\File\UploadedFile;
/**
* ImageRepo constructor.
- * @param Image $image
- * @param ImageService $imageService
- * @param \BookStack\Auth\Permissions\PermissionService $permissionService
- * @param \BookStack\Entities\Page $page
*/
public function __construct(
Image $image,
/**
* Get an image with the given id.
- * @param $id
- * @return Image
*/
- public function getById($id)
+ public function getById($id): Image
{
return $this->image->findOrFail($id);
}
/**
* Execute a paginated query, returning in a standard format.
* Also runs the query through the restriction system.
- * @param $query
- * @param int $page
- * @param int $pageSize
- * @param bool $filterOnPage
- * @return array
*/
- private function returnPaginated($query, $page = 1, $pageSize = 24)
+ private function returnPaginated($query, $page = 1, $pageSize = 24): array
{
$images = $query->orderBy('created_at', 'desc')->skip($pageSize * ($page - 1))->take($pageSize + 1)->get();
$hasMore = count($images) > $pageSize;
/**
* Fetch a list of images in a paginated format, filtered by image type.
* Can be filtered by uploaded to and also by name.
- * @param string $type
- * @param int $page
- * @param int $pageSize
- * @param int $uploadedTo
- * @param string|null $search
- * @param callable|null $whereClause
- * @return array
*/
public function getPaginatedByType(
string $type,
int $uploadedTo = null,
string $search = null,
callable $whereClause = null
- ) {
+ ): array
+ {
$imageQuery = $this->image->newQuery()->where('type', '=', strtolower($type));
if ($uploadedTo !== null) {
/**
* Get paginated gallery images within a specific page or book.
- * @param string $type
- * @param string $filterType
- * @param int $page
- * @param int $pageSize
- * @param int|null $uploadedTo
- * @param string|null $search
- * @return array
*/
public function getEntityFiltered(
string $type,
int $pageSize = 24,
int $uploadedTo = null,
string $search = null
- ) {
+ ): array
+ {
$contextPage = $this->page->findOrFail($uploadedTo);
$parentFilter = null;
/**
* Save a new image into storage and return the new image.
- * @param UploadedFile $uploadFile
- * @param string $type
- * @param int $uploadedTo
- * @param int|null $resizeWidth
- * @param int|null $resizeHeight
- * @param bool $keepRatio
- * @return Image
- * @throws \BookStack\Exceptions\ImageUploadException
+ * @throws ImageUploadException
*/
- public function saveNew(UploadedFile $uploadFile, $type, $uploadedTo = 0, int $resizeWidth = null, int $resizeHeight = null, bool $keepRatio = true)
+ public function saveNew(UploadedFile $uploadFile, string $type, int $uploadedTo = 0, int $resizeWidth = null, int $resizeHeight = null, bool $keepRatio = true): Image
{
$image = $this->imageService->saveNewFromUpload($uploadFile, $type, $uploadedTo, $resizeWidth, $resizeHeight, $keepRatio);
$this->loadThumbs($image);
}
/**
- * Save a drawing the the database;
- * @param string $base64Uri
- * @param int $uploadedTo
- * @return Image
- * @throws \BookStack\Exceptions\ImageUploadException
+ * Save a drawing the the database.
+ * @throws ImageUploadException
*/
- public function saveDrawing(string $base64Uri, int $uploadedTo)
+ public function saveDrawing(string $base64Uri, int $uploadedTo): Image
{
$name = 'Drawing-' . user()->getShortName(40) . '-' . strval(time()) . '.png';
- $image = $this->imageService->saveNewFromBase64Uri($base64Uri, $name, 'drawio', $uploadedTo);
- return $image;
+ return $this->imageService->saveNewFromBase64Uri($base64Uri, $name, 'drawio', $uploadedTo);
}
/**
* Update the details of an image via an array of properties.
- * @param Image $image
- * @param array $updateDetails
- * @return Image
- * @throws \BookStack\Exceptions\ImageUploadException
- * @throws \Exception
+ * @throws ImageUploadException
+ * @throws Exception
*/
- public function updateImageDetails(Image $image, $updateDetails)
+ public function updateImageDetails(Image $image, $updateDetails): Image
{
$image->fill($updateDetails);
$image->save();
return $image;
}
-
/**
* Destroys an Image object along with its revisions, files and thumbnails.
- * @param Image $image
- * @return bool
- * @throws \Exception
+ * @throws Exception
*/
- public function destroyImage(Image $image = null)
+ public function destroyImage(Image $image = null): bool
{
if ($image) {
$this->imageService->destroy($image);
/**
* Destroy all images of a certain type.
- * @param string $imageType
- * @throws \Exception
+ * @throws Exception
*/
public function destroyByType(string $imageType)
{
/**
* Load thumbnails onto an image object.
- * @param Image $image
- * @throws \BookStack\Exceptions\ImageUploadException
- * @throws \Exception
+ * @throws Exception
*/
protected function loadThumbs(Image $image)
{
* Get the thumbnail for an image.
* If $keepRatio is true only the width will be used.
* Checks the cache then storage to avoid creating / accessing the filesystem on every check.
- * @param Image $image
- * @param int $width
- * @param int $height
- * @param bool $keepRatio
- * @return string
- * @throws \BookStack\Exceptions\ImageUploadException
- * @throws \Exception
+ * @throws Exception
*/
- protected function getThumbnail(Image $image, $width = 220, $height = 220, $keepRatio = false)
+ protected function getThumbnail(Image $image, ?int $width = 220, ?int $height = 220, bool $keepRatio = false): ?string
{
try {
return $this->imageService->getThumbnail($image, $width, $height, $keepRatio);
- } catch (\Exception $exception) {
+ } catch (Exception $exception) {
return null;
}
}
/**
* Get the raw image data from an Image.
- * @param Image $image
- * @return null|string
*/
- public function getImageData(Image $image)
+ public function getImageData(Image $image): ?string
{
try {
return $this->imageService->getImageData($image);
- } catch (\Exception $exception) {
+ } catch (Exception $exception) {
return null;
}
}
-
- /**
- * Get the validation rules for image files.
- * @return string
- */
- public function getImageValidationRules()
- {
- return 'image_extension|no_double_extension|mimes:jpeg,png,gif,bmp,webp,tiff';
- }
}
} else {
$thumb->fit($width, $height);
}
- return (string)$thumb->encode();
+
+ $thumbData = (string)$thumb->encode();
+
+ // Use original image data if we're keeping the ratio
+ // and the resizing does not save any space.
+ if ($keepRatio && strlen($thumbData) > strlen($imageData)) {
+ return $imageData;
+ }
+
+ return $thumbData;
}
/**
/**
* Check if current user is a signed in user.
- * @return bool
*/
function signedInUser(): bool
{
/**
* Check if the current user has general access.
- * @return bool
*/
function hasAppAccess(): bool
{
* Check if the current user has a permission.
* If an ownable element is passed in the jointPermissions are checked against
* that particular item.
- * @param string $permission
- * @param Ownable $ownable
- * @return bool
*/
function userCan(string $permission, Ownable $ownable = null): bool
{
"fideloper/proxy": "^4.0",
"gathercontent/htmldiff": "^0.2.1",
"intervention/image": "^2.5",
- "laravel/framework": "^6.0",
+ "laravel/framework": "^6.12",
"laravel/socialite": "^4.2",
"league/flysystem-aws-s3-v3": "^1.0",
"onelogin/php-saml": "^3.3",
"socialiteproviders/microsoft-azure": "^3.0",
"socialiteproviders/okta": "^1.0",
"socialiteproviders/slack": "^3.0",
- "socialiteproviders/twitch": "^5.0"
+ "socialiteproviders/twitch": "^5.0",
+ "facade/ignition": "^1.4",
+ "nunomaduro/collision": "^3.0"
},
"require-dev": {
"barryvdh/laravel-debugbar": "^3.2.8",
"barryvdh/laravel-ide-helper": "^2.6.4",
- "facade/ignition": "^1.4",
"fzaninotto/faker": "^1.4",
"laravel/browser-kit-testing": "^5.1",
"mockery/mockery": "^1.0",
- "nunomaduro/collision": "^3.0",
"phpunit/phpunit": "^8.0",
"squizlabs/php_codesniffer": "^3.4",
"wnx/laravel-stats": "^2.0"
"Read more about it at https://getcomposer.org/doc/01-basic-usage.md#installing-dependencies",
"This file is @generated automatically"
],
- "content-hash": "140c7a04a20cef6d7ed8c1fc48257e66",
+ "content-hash": "309610dc13c0d46ca7553ee264a88d29",
"packages": [
{
"name": "aws/aws-sdk-php",
- "version": "3.117.2",
+ "version": "3.133.6",
"source": {
"type": "git",
"url": "https://github.com/aws/aws-sdk-php.git",
- "reference": "3dc81df70f1cdf2842c85915548bffb870c1e1da"
+ "reference": "cd7bd2fdd159146ef6c7eeb90b73fae4fd11da57"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/aws/aws-sdk-php/zipball/3dc81df70f1cdf2842c85915548bffb870c1e1da",
- "reference": "3dc81df70f1cdf2842c85915548bffb870c1e1da",
+ "url": "https://api.github.com/repos/aws/aws-sdk-php/zipball/cd7bd2fdd159146ef6c7eeb90b73fae4fd11da57",
+ "reference": "cd7bd2fdd159146ef6c7eeb90b73fae4fd11da57",
"shasum": ""
},
"require": {
"ext-json": "*",
"ext-pcre": "*",
"ext-simplexml": "*",
- "guzzlehttp/guzzle": "^5.3.3|^6.2.1",
- "guzzlehttp/promises": "~1.0",
+ "guzzlehttp/guzzle": "^5.3.3|^6.2.1|^7.0",
+ "guzzlehttp/promises": "^1.0",
"guzzlehttp/psr7": "^1.4.1",
- "mtdowling/jmespath.php": "~2.2",
+ "mtdowling/jmespath.php": "^2.5",
"php": ">=5.5"
},
"require-dev": {
"nette/neon": "^2.3",
"phpunit/phpunit": "^4.8.35|^5.4.3",
"psr/cache": "^1.0",
- "psr/simple-cache": "^1.0"
+ "psr/simple-cache": "^1.0",
+ "sebastian/comparator": "^1.2.3"
},
"suggest": {
"aws/aws-php-sns-message-validator": "To validate incoming SNS notifications",
"s3",
"sdk"
],
- "time": "2019-11-15T19:21:02+00:00"
+ "time": "2020-01-24T19:11:35+00:00"
},
{
"name": "barryvdh/laravel-dompdf",
},
{
"name": "doctrine/cache",
- "version": "1.9.1",
+ "version": "1.10.0",
"source": {
"type": "git",
"url": "https://github.com/doctrine/cache.git",
- "reference": "89a5c76c39c292f7798f964ab3c836c3f8192a55"
+ "reference": "382e7f4db9a12dc6c19431743a2b096041bcdd62"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/doctrine/cache/zipball/89a5c76c39c292f7798f964ab3c836c3f8192a55",
- "reference": "89a5c76c39c292f7798f964ab3c836c3f8192a55",
+ "url": "https://api.github.com/repos/doctrine/cache/zipball/382e7f4db9a12dc6c19431743a2b096041bcdd62",
+ "reference": "382e7f4db9a12dc6c19431743a2b096041bcdd62",
"shasum": ""
},
"require": {
"memcached",
"php",
"redis",
- "riak",
"xcache"
],
- "time": "2019-11-15T14:31:57+00:00"
+ "time": "2019-11-29T15:36:20+00:00"
},
{
"name": "doctrine/dbal",
- "version": "v2.10.0",
+ "version": "v2.10.1",
"source": {
"type": "git",
"url": "https://github.com/doctrine/dbal.git",
- "reference": "0c9a646775ef549eb0a213a4f9bd4381d9b4d934"
+ "reference": "c2b8e6e82732a64ecde1cddf9e1e06cb8556e3d8"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/doctrine/dbal/zipball/0c9a646775ef549eb0a213a4f9bd4381d9b4d934",
- "reference": "0c9a646775ef549eb0a213a4f9bd4381d9b4d934",
+ "url": "https://api.github.com/repos/doctrine/dbal/zipball/c2b8e6e82732a64ecde1cddf9e1e06cb8556e3d8",
+ "reference": "c2b8e6e82732a64ecde1cddf9e1e06cb8556e3d8",
"shasum": ""
},
"require": {
"sqlserver",
"sqlsrv"
],
- "time": "2019-11-03T16:50:43+00:00"
+ "time": "2020-01-04T12:56:21+00:00"
},
{
"name": "doctrine/event-manager",
},
{
"name": "dompdf/dompdf",
- "version": "v0.8.3",
+ "version": "v0.8.4",
"source": {
"type": "git",
"url": "https://github.com/dompdf/dompdf.git",
- "reference": "75f13c700009be21a1965dc2c5b68a8708c22ba2"
+ "reference": "8f49b3b01693f51037dd50da81090beba1b5c005"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/dompdf/dompdf/zipball/75f13c700009be21a1965dc2c5b68a8708c22ba2",
- "reference": "75f13c700009be21a1965dc2c5b68a8708c22ba2",
+ "url": "https://api.github.com/repos/dompdf/dompdf/zipball/8f49b3b01693f51037dd50da81090beba1b5c005",
+ "reference": "8f49b3b01693f51037dd50da81090beba1b5c005",
"shasum": ""
},
"require": {
"ext-dom": "*",
"ext-mbstring": "*",
- "phenx/php-font-lib": "0.5.*",
- "phenx/php-svg-lib": "0.3.*",
- "php": ">=5.4.0"
+ "phenx/php-font-lib": "^0.5.1",
+ "phenx/php-svg-lib": "^0.3.3",
+ "php": "^7.1"
},
"require-dev": {
- "phpunit/phpunit": "^4.8|^5.5|^6.5",
- "squizlabs/php_codesniffer": "2.*"
+ "phpunit/phpunit": "^7.5",
+ "squizlabs/php_codesniffer": "^3.5"
},
"suggest": {
"ext-gd": "Needed to process images",
],
"description": "DOMPDF is a CSS 2.1 compliant HTML to PDF converter",
"homepage": "https://github.com/dompdf/dompdf",
- "time": "2018-12-14T02:40:31+00:00"
+ "time": "2020-01-20T17:00:46+00:00"
},
{
"name": "dragonmantank/cron-expression",
},
{
"name": "egulias/email-validator",
- "version": "2.1.11",
+ "version": "2.1.15",
"source": {
"type": "git",
"url": "https://github.com/egulias/EmailValidator.git",
- "reference": "92dd169c32f6f55ba570c309d83f5209cefb5e23"
+ "reference": "e834eea5306d85d67de5a05db5882911d5b29357"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/egulias/EmailValidator/zipball/92dd169c32f6f55ba570c309d83f5209cefb5e23",
- "reference": "92dd169c32f6f55ba570c309d83f5209cefb5e23",
+ "url": "https://api.github.com/repos/egulias/EmailValidator/zipball/e834eea5306d85d67de5a05db5882911d5b29357",
+ "reference": "e834eea5306d85d67de5a05db5882911d5b29357",
"shasum": ""
},
"require": {
"doctrine/lexer": "^1.0.1",
- "php": ">= 5.5"
+ "php": ">=5.5",
+ "symfony/polyfill-intl-idn": "^1.10"
},
"require-dev": {
- "dominicsayers/isemail": "dev-master",
- "phpunit/phpunit": "^4.8.35||^5.7||^6.0",
- "satooshi/php-coveralls": "^1.0.1",
- "symfony/phpunit-bridge": "^4.4@dev"
+ "dominicsayers/isemail": "^3.0.7",
+ "phpunit/phpunit": "^4.8.36|^7.5.15",
+ "satooshi/php-coveralls": "^1.0.1"
},
"suggest": {
"ext-intl": "PHP Internationalization Libraries are required to use the SpoofChecking validation"
"validation",
"validator"
],
- "time": "2019-08-13T17:33:27+00:00"
+ "time": "2020-01-20T21:40:59+00:00"
+ },
+ {
+ "name": "facade/flare-client-php",
+ "version": "1.3.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/facade/flare-client-php.git",
+ "reference": "24444ea0e1556f0a4b5fc8e61802caf72ae9a408"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/facade/flare-client-php/zipball/24444ea0e1556f0a4b5fc8e61802caf72ae9a408",
+ "reference": "24444ea0e1556f0a4b5fc8e61802caf72ae9a408",
+ "shasum": ""
+ },
+ "require": {
+ "facade/ignition-contracts": "~1.0",
+ "illuminate/pipeline": "~5.5|~5.6|~5.7|~5.8|^6.0",
+ "php": "^7.1",
+ "symfony/http-foundation": "~3.3|~4.1",
+ "symfony/var-dumper": "^3.4|^4.0|^5.0"
+ },
+ "require-dev": {
+ "larapack/dd": "^1.1",
+ "phpunit/phpunit": "^7.5.16",
+ "spatie/phpunit-snapshot-assertions": "^2.0"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.0-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Facade\\FlareClient\\": "src"
+ },
+ "files": [
+ "src/helpers.php"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "description": "Send PHP errors to Flare",
+ "homepage": "https://github.com/facade/flare-client-php",
+ "keywords": [
+ "exception",
+ "facade",
+ "flare",
+ "reporting"
+ ],
+ "time": "2019-12-15T18:28:38+00:00"
},
{
- "name": "erusev/parsedown",
- "version": "1.7.3",
+ "name": "facade/ignition",
+ "version": "1.16.0",
"source": {
"type": "git",
- "url": "https://github.com/erusev/parsedown.git",
- "reference": "6d893938171a817f4e9bc9e86f2da1e370b7bcd7"
+ "url": "https://github.com/facade/ignition.git",
+ "reference": "37f094775814b68d0c6cc8b8ff3c3be243f20725"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/erusev/parsedown/zipball/6d893938171a817f4e9bc9e86f2da1e370b7bcd7",
- "reference": "6d893938171a817f4e9bc9e86f2da1e370b7bcd7",
+ "url": "https://api.github.com/repos/facade/ignition/zipball/37f094775814b68d0c6cc8b8ff3c3be243f20725",
+ "reference": "37f094775814b68d0c6cc8b8ff3c3be243f20725",
"shasum": ""
},
"require": {
+ "ext-json": "*",
"ext-mbstring": "*",
- "php": ">=5.3.0"
+ "facade/flare-client-php": "^1.3",
+ "facade/ignition-contracts": "^1.0",
+ "filp/whoops": "^2.4",
+ "illuminate/support": "~5.5.0 || ~5.6.0 || ~5.7.0 || ~5.8.0 || ^6.0",
+ "monolog/monolog": "^1.12 || ^2.0",
+ "php": "^7.1",
+ "scrivo/highlight.php": "^9.15",
+ "symfony/console": "^3.4 || ^4.0",
+ "symfony/var-dumper": "^3.4 || ^4.0"
},
"require-dev": {
- "phpunit/phpunit": "^4.8.35"
+ "friendsofphp/php-cs-fixer": "^2.14",
+ "mockery/mockery": "^1.2",
+ "orchestra/testbench": "^3.5 || ^3.6 || ^3.7 || ^3.8 || ^4.0"
+ },
+ "suggest": {
+ "laravel/telescope": "^2.0"
},
"type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "v2.x-dev"
+ },
+ "laravel": {
+ "providers": [
+ "Facade\\Ignition\\IgnitionServiceProvider"
+ ],
+ "aliases": {
+ "Flare": "Facade\\Ignition\\Facades\\Flare"
+ }
+ }
+ },
"autoload": {
- "psr-0": {
- "Parsedown": ""
+ "psr-4": {
+ "Facade\\Ignition\\": "src"
+ },
+ "files": [
+ "src/helpers.php"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "description": "A beautiful error page for Laravel applications.",
+ "homepage": "https://github.com/facade/ignition",
+ "keywords": [
+ "error",
+ "flare",
+ "laravel",
+ "page"
+ ],
+ "time": "2020-01-21T17:46:02+00:00"
+ },
+ {
+ "name": "facade/ignition-contracts",
+ "version": "1.0.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/facade/ignition-contracts.git",
+ "reference": "f445db0fb86f48e205787b2592840dd9c80ded28"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/facade/ignition-contracts/zipball/f445db0fb86f48e205787b2592840dd9c80ded28",
+ "reference": "f445db0fb86f48e205787b2592840dd9c80ded28",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^7.1"
+ },
+ "type": "library",
+ "autoload": {
+ "psr-4": {
+ "Facade\\IgnitionContracts\\": "src"
}
},
"notification-url": "https://packagist.org/downloads/",
],
"authors": [
{
- "name": "Emanuil Rusev",
- "homepage": "http://erusev.com"
+ "name": "Freek Van der Herten",
+ "homepage": "https://flareapp.io",
+ "role": "Developer"
}
],
- "description": "Parser for Markdown.",
- "homepage": "http://parsedown.org",
+ "description": "Solution contracts for Ignition",
+ "homepage": "https://github.com/facade/ignition-contracts",
"keywords": [
- "markdown",
- "parser"
+ "contracts",
+ "flare",
+ "ignition"
],
- "time": "2019-03-17T18:48:37+00:00"
+ "time": "2019-08-30T14:06:08+00:00"
},
{
"name": "fideloper/proxy",
- "version": "4.2.1",
+ "version": "4.2.2",
"source": {
"type": "git",
"url": "https://github.com/fideloper/TrustedProxy.git",
- "reference": "03085e58ec7bee24773fa5a8850751a6e61a7e8a"
+ "reference": "790194d5d3da89a713478875d2e2d05855a90a81"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/fideloper/TrustedProxy/zipball/03085e58ec7bee24773fa5a8850751a6e61a7e8a",
- "reference": "03085e58ec7bee24773fa5a8850751a6e61a7e8a",
+ "url": "https://api.github.com/repos/fideloper/TrustedProxy/zipball/790194d5d3da89a713478875d2e2d05855a90a81",
+ "reference": "790194d5d3da89a713478875d2e2d05855a90a81",
"shasum": ""
},
"require": {
"proxy",
"trusted proxy"
],
- "time": "2019-09-03T16:45:42+00:00"
+ "time": "2019-12-20T13:11:11+00:00"
+ },
+ {
+ "name": "filp/whoops",
+ "version": "2.7.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/filp/whoops.git",
+ "reference": "fff6f1e4f36be0e0d0b84d66b413d9dcb0c49130"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/filp/whoops/zipball/fff6f1e4f36be0e0d0b84d66b413d9dcb0c49130",
+ "reference": "fff6f1e4f36be0e0d0b84d66b413d9dcb0c49130",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^5.5.9 || ^7.0",
+ "psr/log": "^1.0.1"
+ },
+ "require-dev": {
+ "mockery/mockery": "^0.9 || ^1.0",
+ "phpunit/phpunit": "^4.8.35 || ^5.7 || ^6.0",
+ "symfony/var-dumper": "^2.6 || ^3.0 || ^4.0 || ^5.0"
+ },
+ "suggest": {
+ "symfony/var-dumper": "Pretty print complex values better with var-dumper available",
+ "whoops/soap": "Formats errors as SOAP responses"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "2.6-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Whoops\\": "src/Whoops/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Filipe Dobreira",
+ "homepage": "https://github.com/filp",
+ "role": "Developer"
+ }
+ ],
+ "description": "php error handling for cool kids",
+ "homepage": "https://filp.github.io/whoops/",
+ "keywords": [
+ "error",
+ "exception",
+ "handling",
+ "library",
+ "throwable",
+ "whoops"
+ ],
+ "time": "2020-01-15T10:00:00+00:00"
},
{
"name": "gathercontent/htmldiff",
},
{
"name": "guzzlehttp/guzzle",
- "version": "6.4.1",
+ "version": "6.5.2",
"source": {
"type": "git",
"url": "https://github.com/guzzle/guzzle.git",
- "reference": "0895c932405407fd3a7368b6910c09a24d26db11"
+ "reference": "43ece0e75098b7ecd8d13918293029e555a50f82"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/guzzle/guzzle/zipball/0895c932405407fd3a7368b6910c09a24d26db11",
- "reference": "0895c932405407fd3a7368b6910c09a24d26db11",
+ "url": "https://api.github.com/repos/guzzle/guzzle/zipball/43ece0e75098b7ecd8d13918293029e555a50f82",
+ "reference": "43ece0e75098b7ecd8d13918293029e555a50f82",
"shasum": ""
},
"require": {
"psr/log": "^1.1"
},
"suggest": {
+ "ext-intl": "Required for Internationalized Domain Name (IDN) support",
"psr/log": "Required for using the Log middleware"
},
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "6.3-dev"
+ "dev-master": "6.5-dev"
}
},
"autoload": {
"rest",
"web service"
],
- "time": "2019-10-23T15:58:00+00:00"
+ "time": "2019-12-23T11:57:10+00:00"
},
{
"name": "guzzlehttp/promises",
],
"time": "2019-11-02T09:15:47+00:00"
},
+ {
+ "name": "jakub-onderka/php-console-color",
+ "version": "v0.2",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/JakubOnderka/PHP-Console-Color.git",
+ "reference": "d5deaecff52a0d61ccb613bb3804088da0307191"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/JakubOnderka/PHP-Console-Color/zipball/d5deaecff52a0d61ccb613bb3804088da0307191",
+ "reference": "d5deaecff52a0d61ccb613bb3804088da0307191",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.4.0"
+ },
+ "require-dev": {
+ "jakub-onderka/php-code-style": "1.0",
+ "jakub-onderka/php-parallel-lint": "1.0",
+ "jakub-onderka/php-var-dump-check": "0.*",
+ "phpunit/phpunit": "~4.3",
+ "squizlabs/php_codesniffer": "1.*"
+ },
+ "type": "library",
+ "autoload": {
+ "psr-4": {
+ "JakubOnderka\\PhpConsoleColor\\": "src/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-2-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Jakub Onderka",
+ }
+ ],
+ "time": "2018-09-29T17:23:10+00:00"
+ },
+ {
+ "name": "jakub-onderka/php-console-highlighter",
+ "version": "v0.4",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/JakubOnderka/PHP-Console-Highlighter.git",
+ "reference": "9f7a229a69d52506914b4bc61bfdb199d90c5547"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/JakubOnderka/PHP-Console-Highlighter/zipball/9f7a229a69d52506914b4bc61bfdb199d90c5547",
+ "reference": "9f7a229a69d52506914b4bc61bfdb199d90c5547",
+ "shasum": ""
+ },
+ "require": {
+ "ext-tokenizer": "*",
+ "jakub-onderka/php-console-color": "~0.2",
+ "php": ">=5.4.0"
+ },
+ "require-dev": {
+ "jakub-onderka/php-code-style": "~1.0",
+ "jakub-onderka/php-parallel-lint": "~1.0",
+ "jakub-onderka/php-var-dump-check": "~0.1",
+ "phpunit/phpunit": "~4.0",
+ "squizlabs/php_codesniffer": "~1.5"
+ },
+ "type": "library",
+ "autoload": {
+ "psr-4": {
+ "JakubOnderka\\PhpConsoleHighlighter\\": "src/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Jakub Onderka",
+ "homepage": "http://www.acci.cz/"
+ }
+ ],
+ "description": "Highlight PHP code in terminal",
+ "time": "2018-09-29T18:48:56+00:00"
+ },
{
"name": "knplabs/knp-snappy",
- "version": "v1.1.0",
+ "version": "v1.2.1",
"source": {
"type": "git",
"url": "https://github.com/KnpLabs/snappy.git",
- "reference": "ea037298d3c613454da77ecb9588cf0397d695e1"
+ "reference": "7bac60fb729147b7ccd8532c07df3f52a4afa8a4"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/KnpLabs/snappy/zipball/ea037298d3c613454da77ecb9588cf0397d695e1",
- "reference": "ea037298d3c613454da77ecb9588cf0397d695e1",
+ "url": "https://api.github.com/repos/KnpLabs/snappy/zipball/7bac60fb729147b7ccd8532c07df3f52a4afa8a4",
+ "reference": "7bac60fb729147b7ccd8532c07df3f52a4afa8a4",
"shasum": ""
},
"require": {
"php": ">=7.1",
"psr/log": "^1.0",
- "symfony/process": "~3.4||~4.1"
+ "symfony/process": "~3.4||~4.3||~5.0"
},
"require-dev": {
"phpunit/phpunit": "~7.4"
"thumbnail",
"wkhtmltopdf"
],
- "time": "2018-12-14T14:59:37+00:00"
+ "time": "2020-01-20T08:30:30+00:00"
},
{
"name": "laravel/framework",
- "version": "v6.5.1",
+ "version": "v6.12.0",
"source": {
"type": "git",
"url": "https://github.com/laravel/framework.git",
- "reference": "e47180500498cf8aa2a8ffb59a3b4daa007fa13d"
+ "reference": "8e189a8dee7ff76bf50acb7e80aa1a36afaf54d4"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/laravel/framework/zipball/e47180500498cf8aa2a8ffb59a3b4daa007fa13d",
- "reference": "e47180500498cf8aa2a8ffb59a3b4daa007fa13d",
+ "url": "https://api.github.com/repos/laravel/framework/zipball/8e189a8dee7ff76bf50acb7e80aa1a36afaf54d4",
+ "reference": "8e189a8dee7ff76bf50acb7e80aa1a36afaf54d4",
"shasum": ""
},
"require": {
"doctrine/inflector": "^1.1",
"dragonmantank/cron-expression": "^2.0",
"egulias/email-validator": "^2.1.10",
- "erusev/parsedown": "^1.7",
"ext-json": "*",
"ext-mbstring": "*",
"ext-openssl": "*",
+ "league/commonmark": "^1.1",
+ "league/commonmark-ext-table": "^2.1",
"league/flysystem": "^1.0.8",
"monolog/monolog": "^1.12|^2.0",
"nesbot/carbon": "^2.0",
"filp/whoops": "^2.4",
"guzzlehttp/guzzle": "^6.3",
"league/flysystem-cached-adapter": "^1.0",
- "mockery/mockery": "^1.2.3",
+ "mockery/mockery": "^1.3.1",
"moontoast/math": "^1.1",
"orchestra/testbench-core": "^4.0",
"pda/pheanstalk": "^4.0",
- "phpunit/phpunit": "^8.3",
+ "phpunit/phpunit": "^7.5.15|^8.4|^9.0",
"predis/predis": "^1.1.1",
- "symfony/cache": "^4.3",
- "true/punycode": "^2.1"
+ "symfony/cache": "^4.3.4"
},
"suggest": {
"aws/aws-sdk-php": "Required to use the SQS queue driver, DynamoDb failed job storage and SES mail driver (^3.0).",
"league/flysystem-cached-adapter": "Required to use the Flysystem cache (^1.0).",
"league/flysystem-sftp": "Required to use the Flysystem SFTP driver (^1.0).",
"moontoast/math": "Required to use ordered UUIDs (^1.1).",
+ "nyholm/psr7": "Required to use PSR-7 bridging features (^1.2).",
"pda/pheanstalk": "Required to use the beanstalk queue driver (^4.0).",
- "psr/http-message": "Required to allow Storage::put to accept a StreamInterface (^1.0)",
+ "psr/http-message": "Required to allow Storage::put to accept a StreamInterface (^1.0).",
"pusher/pusher-php-server": "Required to use the Pusher broadcast driver (^4.0).",
"symfony/cache": "Required to PSR-6 cache bridge (^4.3.4).",
"symfony/psr-http-message-bridge": "Required to use PSR-7 bridging features (^1.2).",
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "6.x-dev"
+ "dev-master": "6.x-dev"
+ }
+ },
+ "autoload": {
+ "files": [
+ "src/Illuminate/Foundation/helpers.php",
+ "src/Illuminate/Support/helpers.php"
+ ],
+ "psr-4": {
+ "Illuminate\\": "src/Illuminate/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Taylor Otwell",
+ }
+ ],
+ "description": "The Laravel Framework.",
+ "homepage": "https://laravel.com",
+ "keywords": [
+ "framework",
+ "laravel"
+ ],
+ "time": "2020-01-21T15:10:03+00:00"
+ },
+ {
+ "name": "laravel/socialite",
+ "version": "v4.3.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/laravel/socialite.git",
+ "reference": "2d670d5b100ef2dc72dc578126b2b97985791f52"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/laravel/socialite/zipball/2d670d5b100ef2dc72dc578126b2b97985791f52",
+ "reference": "2d670d5b100ef2dc72dc578126b2b97985791f52",
+ "shasum": ""
+ },
+ "require": {
+ "ext-json": "*",
+ "guzzlehttp/guzzle": "~6.0",
+ "illuminate/http": "~5.7.0|~5.8.0|^6.0|^7.0",
+ "illuminate/support": "~5.7.0|~5.8.0|^6.0|^7.0",
+ "league/oauth1-client": "~1.0",
+ "php": "^7.1.3"
+ },
+ "require-dev": {
+ "illuminate/contracts": "~5.7.0|~5.8.0|^6.0|^7.0",
+ "mockery/mockery": "^1.0",
+ "phpunit/phpunit": "^7.0|^8.0"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "4.0-dev"
+ },
+ "laravel": {
+ "providers": [
+ "Laravel\\Socialite\\SocialiteServiceProvider"
+ ],
+ "aliases": {
+ "Socialite": "Laravel\\Socialite\\Facades\\Socialite"
+ }
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Laravel\\Socialite\\": "src/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Taylor Otwell",
+ }
+ ],
+ "description": "Laravel wrapper around OAuth 1 & OAuth 2 libraries.",
+ "homepage": "https://laravel.com",
+ "keywords": [
+ "laravel",
+ "oauth"
+ ],
+ "time": "2019-11-26T17:39:15+00:00"
+ },
+ {
+ "name": "league/commonmark",
+ "version": "1.2.2",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/thephpleague/commonmark.git",
+ "reference": "34cf4ddb3892c715ae785c880e6691d839cff88d"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/thephpleague/commonmark/zipball/34cf4ddb3892c715ae785c880e6691d839cff88d",
+ "reference": "34cf4ddb3892c715ae785c880e6691d839cff88d",
+ "shasum": ""
+ },
+ "require": {
+ "ext-mbstring": "*",
+ "php": "^7.1"
+ },
+ "replace": {
+ "colinodell/commonmark-php": "*"
+ },
+ "require-dev": {
+ "cebe/markdown": "~1.0",
+ "commonmark/commonmark.js": "0.29.1",
+ "erusev/parsedown": "~1.0",
+ "ext-json": "*",
+ "michelf/php-markdown": "~1.4",
+ "mikehaertl/php-shellcommand": "^1.4",
+ "phpstan/phpstan-shim": "^0.11.5",
+ "phpunit/phpunit": "^7.5",
+ "scrutinizer/ocular": "^1.5",
+ "symfony/finder": "^4.2"
+ },
+ "suggest": {
+ "league/commonmark-extras": "Library of useful extensions including smart punctuation"
+ },
+ "bin": [
+ "bin/commonmark"
+ ],
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.3-dev"
}
},
"autoload": {
- "files": [
- "src/Illuminate/Foundation/helpers.php",
- "src/Illuminate/Support/helpers.php"
- ],
"psr-4": {
- "Illuminate\\": "src/Illuminate/"
+ "League\\CommonMark\\": "src"
}
},
"notification-url": "https://packagist.org/downloads/",
"license": [
- "MIT"
+ "BSD-3-Clause"
],
"authors": [
{
- "name": "Taylor Otwell",
+ "name": "Colin O'Dell",
+ "homepage": "https://www.colinodell.com",
+ "role": "Lead Developer"
}
],
- "description": "The Laravel Framework.",
- "homepage": "https://laravel.com",
+ "description": "PHP Markdown parser based on the CommonMark spec",
+ "homepage": "https://commonmark.thephpleague.com",
"keywords": [
- "framework",
- "laravel"
+ "commonmark",
+ "markdown",
+ "parser"
],
- "time": "2019-11-12T15:20:18+00:00"
+ "time": "2020-01-16T01:18:13+00:00"
},
{
- "name": "laravel/socialite",
- "version": "v4.2.0",
+ "name": "league/commonmark-ext-table",
+ "version": "v2.1.0",
"source": {
"type": "git",
- "url": "https://github.com/laravel/socialite.git",
- "reference": "f509d06e1e7323997b804c5152874f8aad4508e9"
+ "url": "https://github.com/thephpleague/commonmark-ext-table.git",
+ "reference": "3228888ea69636e855efcf6636ff8e6316933fe7"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/laravel/socialite/zipball/f509d06e1e7323997b804c5152874f8aad4508e9",
- "reference": "f509d06e1e7323997b804c5152874f8aad4508e9",
+ "url": "https://api.github.com/repos/thephpleague/commonmark-ext-table/zipball/3228888ea69636e855efcf6636ff8e6316933fe7",
+ "reference": "3228888ea69636e855efcf6636ff8e6316933fe7",
"shasum": ""
},
"require": {
- "ext-json": "*",
- "guzzlehttp/guzzle": "~6.0",
- "illuminate/http": "~5.7.0|~5.8.0|^6.0|^7.0",
- "illuminate/support": "~5.7.0|~5.8.0|^6.0|^7.0",
- "league/oauth1-client": "~1.0",
- "php": "^7.1.3"
+ "league/commonmark": "~0.19.3|^1.0",
+ "php": "^7.1"
},
"require-dev": {
- "illuminate/contracts": "~5.7.0|~5.8.0|^6.0|^7.0",
- "mockery/mockery": "^1.0",
- "phpunit/phpunit": "^7.0|^8.0"
+ "friendsofphp/php-cs-fixer": "^2.14",
+ "phpstan/phpstan": "~0.11",
+ "phpunit/phpunit": "^7.0|^8.0",
+ "symfony/var-dumper": "^4.0",
+ "vimeo/psalm": "^3.0"
},
- "type": "library",
+ "type": "commonmark-extension",
"extra": {
"branch-alias": {
- "dev-master": "4.0-dev"
- },
- "laravel": {
- "providers": [
- "Laravel\\Socialite\\SocialiteServiceProvider"
- ],
- "aliases": {
- "Socialite": "Laravel\\Socialite\\Facades\\Socialite"
- }
+ "dev-master": "2.2-dev"
}
},
"autoload": {
"psr-4": {
- "Laravel\\Socialite\\": "src/"
+ "League\\CommonMark\\Ext\\Table\\": "src"
}
},
"notification-url": "https://packagist.org/downloads/",
],
"authors": [
{
- "name": "Taylor Otwell",
+ "name": "Martin Hasoň",
+ },
+ {
+ "name": "Webuni s.r.o.",
+ "homepage": "https://www.webuni.cz"
+ },
+ {
+ "name": "Colin O'Dell",
+ "homepage": "https://www.colinodell.com"
}
],
- "description": "Laravel wrapper around OAuth 1 & OAuth 2 libraries.",
- "homepage": "https://laravel.com",
+ "description": "Table extension for league/commonmark",
+ "homepage": "https://github.com/thephpleague/commonmark-ext-table",
"keywords": [
- "laravel",
- "oauth"
+ "commonmark",
+ "extension",
+ "markdown",
+ "table"
],
- "time": "2019-09-03T15:27:17+00:00"
+ "time": "2019-09-26T13:28:33+00:00"
},
{
"name": "league/flysystem",
- "version": "1.0.57",
+ "version": "1.0.63",
"source": {
"type": "git",
"url": "https://github.com/thephpleague/flysystem.git",
- "reference": "0e9db7f0b96b9f12dcf6f65bc34b72b1a30ea55a"
+ "reference": "8132daec326565036bc8e8d1876f77ec183a7bd6"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/thephpleague/flysystem/zipball/0e9db7f0b96b9f12dcf6f65bc34b72b1a30ea55a",
- "reference": "0e9db7f0b96b9f12dcf6f65bc34b72b1a30ea55a",
+ "url": "https://api.github.com/repos/thephpleague/flysystem/zipball/8132daec326565036bc8e8d1876f77ec183a7bd6",
+ "reference": "8132daec326565036bc8e8d1876f77ec183a7bd6",
"shasum": ""
},
"require": {
"sftp",
"storage"
],
- "time": "2019-10-16T21:01:05+00:00"
+ "time": "2020-01-04T16:30:31+00:00"
},
{
"name": "league/flysystem-aws-s3-v3",
},
{
"name": "monolog/monolog",
- "version": "2.0.1",
+ "version": "2.0.2",
"source": {
"type": "git",
"url": "https://github.com/Seldaek/monolog.git",
- "reference": "f9d56fd2f5533322caccdfcddbb56aedd622ef1c"
+ "reference": "c861fcba2ca29404dc9e617eedd9eff4616986b8"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/Seldaek/monolog/zipball/f9d56fd2f5533322caccdfcddbb56aedd622ef1c",
- "reference": "f9d56fd2f5533322caccdfcddbb56aedd622ef1c",
+ "url": "https://api.github.com/repos/Seldaek/monolog/zipball/c861fcba2ca29404dc9e617eedd9eff4616986b8",
+ "reference": "c861fcba2ca29404dc9e617eedd9eff4616986b8",
"shasum": ""
},
"require": {
"logging",
"psr-3"
],
- "time": "2019-11-13T10:27:43+00:00"
+ "time": "2019-12-20T14:22:59+00:00"
},
{
"name": "mtdowling/jmespath.php",
- "version": "2.4.0",
+ "version": "2.5.0",
"source": {
"type": "git",
"url": "https://github.com/jmespath/jmespath.php.git",
- "reference": "adcc9531682cf87dfda21e1fd5d0e7a41d292fac"
+ "reference": "52168cb9472de06979613d365c7f1ab8798be895"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/jmespath/jmespath.php/zipball/adcc9531682cf87dfda21e1fd5d0e7a41d292fac",
- "reference": "adcc9531682cf87dfda21e1fd5d0e7a41d292fac",
+ "url": "https://api.github.com/repos/jmespath/jmespath.php/zipball/52168cb9472de06979613d365c7f1ab8798be895",
+ "reference": "52168cb9472de06979613d365c7f1ab8798be895",
"shasum": ""
},
"require": {
- "php": ">=5.4.0"
+ "php": ">=5.4.0",
+ "symfony/polyfill-mbstring": "^1.4"
},
"require-dev": {
- "phpunit/phpunit": "~4.0"
+ "composer/xdebug-handler": "^1.2",
+ "phpunit/phpunit": "^4.8.36|^7.5.15"
},
"bin": [
"bin/jp.php"
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "2.0-dev"
+ "dev-master": "2.5-dev"
}
},
"autoload": {
"json",
"jsonpath"
],
- "time": "2016-12-03T22:08:25+00:00"
+ "time": "2019-12-30T18:03:34+00:00"
},
{
"name": "nesbot/carbon",
- "version": "2.26.0",
+ "version": "2.29.1",
"source": {
"type": "git",
"url": "https://github.com/briannesbitt/Carbon.git",
- "reference": "e01ecc0b71168febb52ae1fdc1cfcc95428e604e"
+ "reference": "e509be5bf2d703390e69e14496d9a1168452b0a2"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/briannesbitt/Carbon/zipball/e01ecc0b71168febb52ae1fdc1cfcc95428e604e",
- "reference": "e01ecc0b71168febb52ae1fdc1cfcc95428e604e",
+ "url": "https://api.github.com/repos/briannesbitt/Carbon/zipball/e509be5bf2d703390e69e14496d9a1168452b0a2",
+ "reference": "e509be5bf2d703390e69e14496d9a1168452b0a2",
"shasum": ""
},
"require": {
"ext-json": "*",
"php": "^7.1.8 || ^8.0",
- "symfony/translation": "^3.4 || ^4.0"
+ "symfony/translation": "^3.4 || ^4.0 || ^5.0"
},
"require-dev": {
"friendsofphp/php-cs-fixer": "^2.14 || ^3.0",
"kylekatarnls/multi-tester": "^1.1",
- "phpmd/phpmd": "dev-php-7.1-compatibility",
+ "phpmd/phpmd": "^2.8",
"phpstan/phpstan": "^0.11",
"phpunit/phpunit": "^7.5 || ^8.0",
"squizlabs/php_codesniffer": "^3.4"
],
"type": "library",
"extra": {
+ "branch-alias": {
+ "dev-master": "2.x-dev"
+ },
"laravel": {
"providers": [
"Carbon\\Laravel\\ServiceProvider"
"datetime",
"time"
],
- "time": "2019-10-21T21:32:25+00:00"
+ "time": "2020-01-21T09:36:43+00:00"
+ },
+ {
+ "name": "nunomaduro/collision",
+ "version": "v3.0.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/nunomaduro/collision.git",
+ "reference": "af42d339fe2742295a54f6fdd42aaa6f8c4aca68"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/nunomaduro/collision/zipball/af42d339fe2742295a54f6fdd42aaa6f8c4aca68",
+ "reference": "af42d339fe2742295a54f6fdd42aaa6f8c4aca68",
+ "shasum": ""
+ },
+ "require": {
+ "filp/whoops": "^2.1.4",
+ "jakub-onderka/php-console-highlighter": "0.3.*|0.4.*",
+ "php": "^7.1",
+ "symfony/console": "~2.8|~3.3|~4.0"
+ },
+ "require-dev": {
+ "laravel/framework": "5.8.*",
+ "nunomaduro/larastan": "^0.3.0",
+ "phpstan/phpstan": "^0.11",
+ "phpunit/phpunit": "~8.0"
+ },
+ "type": "library",
+ "extra": {
+ "laravel": {
+ "providers": [
+ "NunoMaduro\\Collision\\Adapters\\Laravel\\CollisionServiceProvider"
+ ]
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "NunoMaduro\\Collision\\": "src/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Nuno Maduro",
+ }
+ ],
+ "description": "Cli error handling for console/command-line PHP applications.",
+ "keywords": [
+ "artisan",
+ "cli",
+ "command-line",
+ "console",
+ "error",
+ "handling",
+ "laravel",
+ "laravel-zero",
+ "php",
+ "symfony"
+ ],
+ "time": "2019-03-07T21:35:13+00:00"
},
{
"name": "onelogin/php-saml",
- "version": "3.3.1",
+ "version": "3.4.1",
"source": {
"type": "git",
"url": "https://github.com/onelogin/php-saml.git",
- "reference": "bb34489635cd5c7eb1b42833e4c57ca1c786a81a"
+ "reference": "5fbf3486704ac9835b68184023ab54862c95f213"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/onelogin/php-saml/zipball/bb34489635cd5c7eb1b42833e4c57ca1c786a81a",
- "reference": "bb34489635cd5c7eb1b42833e4c57ca1c786a81a",
+ "url": "https://api.github.com/repos/onelogin/php-saml/zipball/5fbf3486704ac9835b68184023ab54862c95f213",
+ "reference": "5fbf3486704ac9835b68184023ab54862c95f213",
"shasum": ""
},
"require": {
"onelogin",
"saml"
],
- "time": "2019-11-06T16:59:38+00:00"
+ "time": "2019-11-25T17:30:07+00:00"
},
{
"name": "opis/closure",
- "version": "3.4.1",
+ "version": "3.5.1",
"source": {
"type": "git",
"url": "https://github.com/opis/closure.git",
- "reference": "e79f851749c3caa836d7ccc01ede5828feb762c7"
+ "reference": "93ebc5712cdad8d5f489b500c59d122df2e53969"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/opis/closure/zipball/e79f851749c3caa836d7ccc01ede5828feb762c7",
- "reference": "e79f851749c3caa836d7ccc01ede5828feb762c7",
+ "url": "https://api.github.com/repos/opis/closure/zipball/93ebc5712cdad8d5f489b500c59d122df2e53969",
+ "reference": "93ebc5712cdad8d5f489b500c59d122df2e53969",
"shasum": ""
},
"require": {
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "3.3.x-dev"
+ "dev-master": "3.5.x-dev"
}
},
"autoload": {
"serialization",
"serialize"
],
- "time": "2019-10-19T18:38:51+00:00"
+ "time": "2019-11-29T22:36:02+00:00"
},
{
"name": "paragonie/random_compat",
},
{
"name": "phpoption/phpoption",
- "version": "1.5.2",
+ "version": "1.7.2",
"source": {
"type": "git",
"url": "https://github.com/schmittjoh/php-option.git",
- "reference": "2ba2586380f8d2b44ad1b9feb61c371020b27793"
+ "reference": "77f7c4d2e65413aff5b5a8cc8b3caf7a28d81959"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/schmittjoh/php-option/zipball/2ba2586380f8d2b44ad1b9feb61c371020b27793",
- "reference": "2ba2586380f8d2b44ad1b9feb61c371020b27793",
+ "url": "https://api.github.com/repos/schmittjoh/php-option/zipball/77f7c4d2e65413aff5b5a8cc8b3caf7a28d81959",
+ "reference": "77f7c4d2e65413aff5b5a8cc8b3caf7a28d81959",
"shasum": ""
},
"require": {
- "php": ">=5.3.0"
+ "php": "^5.5.9 || ^7.0"
},
"require-dev": {
- "phpunit/phpunit": "^4.7|^5.0"
+ "bamarni/composer-bin-plugin": "^1.3",
+ "phpunit/phpunit": "^4.8.35 || ^5.0 || ^6.0 || ^7.0"
},
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "1.5-dev"
+ "dev-master": "1.7-dev"
}
},
"autoload": {
- "psr-0": {
- "PhpOption\\": "src/"
+ "psr-4": {
+ "PhpOption\\": "src/PhpOption/"
}
},
"notification-url": "https://packagist.org/downloads/",
{
"name": "Johannes M. Schmitt",
+ },
+ {
+ "name": "Graham Campbell",
}
],
"description": "Option Type for PHP",
"php",
"type"
],
- "time": "2019-11-06T22:27:00+00:00"
+ "time": "2019-12-15T19:35:24+00:00"
},
{
"name": "predis/predis",
},
{
"name": "ramsey/uuid",
- "version": "3.8.0",
+ "version": "3.9.2",
"source": {
"type": "git",
"url": "https://github.com/ramsey/uuid.git",
- "reference": "d09ea80159c1929d75b3f9c60504d613aeb4a1e3"
+ "reference": "7779489a47d443f845271badbdcedfe4df8e06fb"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/ramsey/uuid/zipball/d09ea80159c1929d75b3f9c60504d613aeb4a1e3",
- "reference": "d09ea80159c1929d75b3f9c60504d613aeb4a1e3",
+ "url": "https://api.github.com/repos/ramsey/uuid/zipball/7779489a47d443f845271badbdcedfe4df8e06fb",
+ "reference": "7779489a47d443f845271badbdcedfe4df8e06fb",
"shasum": ""
},
"require": {
- "paragonie/random_compat": "^1.0|^2.0|9.99.99",
- "php": "^5.4 || ^7.0",
+ "ext-json": "*",
+ "paragonie/random_compat": "^1 | ^2 | 9.99.99",
+ "php": "^5.4 | ^7 | ^8",
"symfony/polyfill-ctype": "^1.8"
},
"replace": {
"rhumsaa/uuid": "self.version"
},
"require-dev": {
- "codeception/aspect-mock": "^1.0 | ~2.0.0",
- "doctrine/annotations": "~1.2.0",
- "goaop/framework": "1.0.0-alpha.2 | ^1.0 | ~2.1.0",
- "ircmaxell/random-lib": "^1.1",
- "jakub-onderka/php-parallel-lint": "^0.9.0",
- "mockery/mockery": "^0.9.9",
+ "codeception/aspect-mock": "^1 | ^2",
+ "doctrine/annotations": "^1.2",
+ "goaop/framework": "1.0.0-alpha.2 | ^1 | ^2.1",
+ "jakub-onderka/php-parallel-lint": "^1",
+ "mockery/mockery": "^0.9.11 | ^1",
"moontoast/math": "^1.1",
- "php-mock/php-mock-phpunit": "^0.3|^1.1",
- "phpunit/phpunit": "^4.7|^5.0|^6.5",
- "squizlabs/php_codesniffer": "^2.3"
+ "paragonie/random-lib": "^2",
+ "php-mock/php-mock-phpunit": "^0.3 | ^1.1",
+ "phpunit/phpunit": "^4.8 | ^5.4 | ^6.5",
+ "squizlabs/php_codesniffer": "^3.5"
},
"suggest": {
"ext-ctype": "Provides support for PHP Ctype functions",
"ext-libsodium": "Provides the PECL libsodium extension for use with the SodiumRandomGenerator",
+ "ext-openssl": "Provides the OpenSSL extension for use with the OpenSslGenerator",
"ext-uuid": "Provides the PECL UUID extension for use with the PeclUuidTimeGenerator and PeclUuidRandomGenerator",
- "ircmaxell/random-lib": "Provides RandomLib for use with the RandomLibAdapter",
"moontoast/math": "Provides support for converting UUID to 128-bit integer (in string form).",
+ "paragonie/random-lib": "Provides RandomLib for use with the RandomLibAdapter",
"ramsey/uuid-console": "A console application for generating UUIDs with ramsey/uuid",
"ramsey/uuid-doctrine": "Allows the use of Ramsey\\Uuid\\Uuid as Doctrine field type."
},
"autoload": {
"psr-4": {
"Ramsey\\Uuid\\": "src/"
- }
+ },
+ "files": [
+ "src/functions.php"
+ ]
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
+ {
+ "name": "Ben Ramsey",
+ "homepage": "https://benramsey.com"
+ },
{
"name": "Marijn Huizendveld",
{
"name": "Thibaud Fabre",
- },
- {
- "name": "Ben Ramsey",
- "homepage": "https://benramsey.com"
}
],
"description": "Formerly rhumsaa/uuid. A PHP 5.4+ library for generating RFC 4122 version 1, 3, 4, and 5 universally unique identifiers (UUID).",
"identifier",
"uuid"
],
- "time": "2018-07-19T23:38:55+00:00"
+ "time": "2019-12-17T08:18:51+00:00"
},
{
"name": "robrichards/xmlseclibs",
],
"time": "2019-02-22T07:42:52+00:00"
},
+ {
+ "name": "scrivo/highlight.php",
+ "version": "v9.17.1.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/scrivo/highlight.php.git",
+ "reference": "5451a9ad6d638559cf2a092880f935c39776134e"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/scrivo/highlight.php/zipball/5451a9ad6d638559cf2a092880f935c39776134e",
+ "reference": "5451a9ad6d638559cf2a092880f935c39776134e",
+ "shasum": ""
+ },
+ "require": {
+ "ext-json": "*",
+ "ext-mbstring": "*",
+ "php": ">=5.4"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "^4.8|^5.7",
+ "symfony/finder": "^3.4",
+ "symfony/var-dumper": "^3.4"
+ },
+ "suggest": {
+ "ext-dom": "Needed to make use of the features in the utilities namespace"
+ },
+ "type": "library",
+ "autoload": {
+ "psr-0": {
+ "Highlight\\": "",
+ "HighlightUtilities\\": ""
+ },
+ "files": [
+ "HighlightUtilities/functions.php"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Geert Bergman",
+ "homepage": "http://www.scrivo.org/",
+ "role": "Project Author"
+ },
+ {
+ "name": "Vladimir Jimenez",
+ "homepage": "https://allejo.io",
+ "role": "Maintainer"
+ },
+ {
+ "name": "Martin Folkers",
+ "homepage": "https://twobrain.io",
+ "role": "Contributor"
+ }
+ ],
+ "description": "Server side syntax highlighter that supports 185 languages. It's a PHP port of highlight.js",
+ "keywords": [
+ "code",
+ "highlight",
+ "highlight.js",
+ "highlight.php",
+ "syntax"
+ ],
+ "time": "2019-12-13T21:54:06+00:00"
+ },
{
"name": "socialiteproviders/discord",
"version": "v2.0.2",
},
{
"name": "symfony/console",
- "version": "v4.3.8",
+ "version": "v4.4.3",
"source": {
"type": "git",
"url": "https://github.com/symfony/console.git",
- "reference": "831424efae0a1fe6642784bd52aae14ece6538e6"
+ "reference": "e9ee09d087e2c88eaf6e5fc0f5c574f64d100e4f"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/console/zipball/831424efae0a1fe6642784bd52aae14ece6538e6",
- "reference": "831424efae0a1fe6642784bd52aae14ece6538e6",
+ "url": "https://api.github.com/repos/symfony/console/zipball/e9ee09d087e2c88eaf6e5fc0f5c574f64d100e4f",
+ "reference": "e9ee09d087e2c88eaf6e5fc0f5c574f64d100e4f",
"shasum": ""
},
"require": {
"php": "^7.1.3",
"symfony/polyfill-mbstring": "~1.0",
"symfony/polyfill-php73": "^1.8",
- "symfony/service-contracts": "^1.1"
+ "symfony/service-contracts": "^1.1|^2"
},
"conflict": {
"symfony/dependency-injection": "<3.4",
- "symfony/event-dispatcher": "<4.3",
+ "symfony/event-dispatcher": "<4.3|>=5",
+ "symfony/lock": "<4.4",
"symfony/process": "<3.3"
},
"provide": {
},
"require-dev": {
"psr/log": "~1.0",
- "symfony/config": "~3.4|~4.0",
- "symfony/dependency-injection": "~3.4|~4.0",
+ "symfony/config": "^3.4|^4.0|^5.0",
+ "symfony/dependency-injection": "^3.4|^4.0|^5.0",
"symfony/event-dispatcher": "^4.3",
- "symfony/lock": "~3.4|~4.0",
- "symfony/process": "~3.4|~4.0",
- "symfony/var-dumper": "^4.3"
+ "symfony/lock": "^4.4|^5.0",
+ "symfony/process": "^3.4|^4.0|^5.0",
+ "symfony/var-dumper": "^4.3|^5.0"
},
"suggest": {
"psr/log": "For using the console logger",
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "4.3-dev"
+ "dev-master": "4.4-dev"
}
},
"autoload": {
"homepage": "https://symfony.com/contributors"
}
],
- "description": "Symfony Console Component",
+ "description": "Symfony Console Component",
+ "homepage": "https://symfony.com",
+ "time": "2020-01-10T21:54:01+00:00"
+ },
+ {
+ "name": "symfony/css-selector",
+ "version": "v4.4.3",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/css-selector.git",
+ "reference": "a167b1860995b926d279f9bb538f873e3bfa3465"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/css-selector/zipball/a167b1860995b926d279f9bb538f873e3bfa3465",
+ "reference": "a167b1860995b926d279f9bb538f873e3bfa3465",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^7.1.3"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "4.4-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Component\\CssSelector\\": ""
+ },
+ "exclude-from-classmap": [
+ "/Tests/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Fabien Potencier",
+ },
+ {
+ "name": "Jean-François Simon",
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony CssSelector Component",
"homepage": "https://symfony.com",
- "time": "2019-11-13T07:29:07+00:00"
+ "time": "2020-01-04T13:00:46+00:00"
},
{
- "name": "symfony/css-selector",
- "version": "v4.3.8",
+ "name": "symfony/debug",
+ "version": "v4.4.3",
"source": {
"type": "git",
- "url": "https://github.com/symfony/css-selector.git",
- "reference": "f4b3ff6a549d9ed28b2b0ecd1781bf67cf220ee9"
+ "url": "https://github.com/symfony/debug.git",
+ "reference": "89c3fd5c299b940333bc6fe9f1b8db1b0912c759"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/css-selector/zipball/f4b3ff6a549d9ed28b2b0ecd1781bf67cf220ee9",
- "reference": "f4b3ff6a549d9ed28b2b0ecd1781bf67cf220ee9",
+ "url": "https://api.github.com/repos/symfony/debug/zipball/89c3fd5c299b940333bc6fe9f1b8db1b0912c759",
+ "reference": "89c3fd5c299b940333bc6fe9f1b8db1b0912c759",
"shasum": ""
},
"require": {
- "php": "^7.1.3"
+ "php": "^7.1.3",
+ "psr/log": "~1.0"
+ },
+ "conflict": {
+ "symfony/http-kernel": "<3.4"
+ },
+ "require-dev": {
+ "symfony/http-kernel": "^3.4|^4.0|^5.0"
},
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "4.3-dev"
+ "dev-master": "4.4-dev"
}
},
"autoload": {
"psr-4": {
- "Symfony\\Component\\CssSelector\\": ""
+ "Symfony\\Component\\Debug\\": ""
},
"exclude-from-classmap": [
"/Tests/"
"name": "Fabien Potencier",
},
- {
- "name": "Jean-François Simon",
- },
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
- "description": "Symfony CssSelector Component",
+ "description": "Symfony Debug Component",
"homepage": "https://symfony.com",
- "time": "2019-10-02T08:36:26+00:00"
+ "time": "2020-01-08T17:29:02+00:00"
},
{
- "name": "symfony/debug",
- "version": "v4.3.8",
+ "name": "symfony/error-handler",
+ "version": "v4.4.3",
"source": {
"type": "git",
- "url": "https://github.com/symfony/debug.git",
- "reference": "5ea9c3e01989a86ceaa0283f21234b12deadf5e2"
+ "url": "https://github.com/symfony/error-handler.git",
+ "reference": "a59789092e40ad08465dc2cdc55651be503d0d5a"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/debug/zipball/5ea9c3e01989a86ceaa0283f21234b12deadf5e2",
- "reference": "5ea9c3e01989a86ceaa0283f21234b12deadf5e2",
+ "url": "https://api.github.com/repos/symfony/error-handler/zipball/a59789092e40ad08465dc2cdc55651be503d0d5a",
+ "reference": "a59789092e40ad08465dc2cdc55651be503d0d5a",
"shasum": ""
},
"require": {
"php": "^7.1.3",
- "psr/log": "~1.0"
- },
- "conflict": {
- "symfony/http-kernel": "<3.4"
+ "psr/log": "~1.0",
+ "symfony/debug": "^4.4",
+ "symfony/var-dumper": "^4.4|^5.0"
},
"require-dev": {
- "symfony/http-kernel": "~3.4|~4.0"
+ "symfony/http-kernel": "^4.4|^5.0",
+ "symfony/serializer": "^4.4|^5.0"
},
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "4.3-dev"
+ "dev-master": "4.4-dev"
}
},
"autoload": {
"psr-4": {
- "Symfony\\Component\\Debug\\": ""
+ "Symfony\\Component\\ErrorHandler\\": ""
},
"exclude-from-classmap": [
"/Tests/"
"homepage": "https://symfony.com/contributors"
}
],
- "description": "Symfony Debug Component",
+ "description": "Symfony ErrorHandler Component",
"homepage": "https://symfony.com",
- "time": "2019-10-28T17:07:32+00:00"
+ "time": "2020-01-08T17:29:02+00:00"
},
{
"name": "symfony/event-dispatcher",
- "version": "v4.3.8",
+ "version": "v4.4.3",
"source": {
"type": "git",
"url": "https://github.com/symfony/event-dispatcher.git",
- "reference": "0df002fd4f500392eabd243c2947061a50937287"
+ "reference": "9e3de195e5bc301704dd6915df55892f6dfc208b"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/event-dispatcher/zipball/0df002fd4f500392eabd243c2947061a50937287",
- "reference": "0df002fd4f500392eabd243c2947061a50937287",
+ "url": "https://api.github.com/repos/symfony/event-dispatcher/zipball/9e3de195e5bc301704dd6915df55892f6dfc208b",
+ "reference": "9e3de195e5bc301704dd6915df55892f6dfc208b",
"shasum": ""
},
"require": {
},
"require-dev": {
"psr/log": "~1.0",
- "symfony/config": "~3.4|~4.0",
- "symfony/dependency-injection": "~3.4|~4.0",
- "symfony/expression-language": "~3.4|~4.0",
- "symfony/http-foundation": "^3.4|^4.0",
- "symfony/service-contracts": "^1.1",
- "symfony/stopwatch": "~3.4|~4.0"
+ "symfony/config": "^3.4|^4.0|^5.0",
+ "symfony/dependency-injection": "^3.4|^4.0|^5.0",
+ "symfony/expression-language": "^3.4|^4.0|^5.0",
+ "symfony/http-foundation": "^3.4|^4.0|^5.0",
+ "symfony/service-contracts": "^1.1|^2",
+ "symfony/stopwatch": "^3.4|^4.0|^5.0"
},
"suggest": {
"symfony/dependency-injection": "",
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "4.3-dev"
+ "dev-master": "4.4-dev"
}
},
"autoload": {
],
"description": "Symfony EventDispatcher Component",
"homepage": "https://symfony.com",
- "time": "2019-11-03T09:04:05+00:00"
+ "time": "2020-01-10T21:54:01+00:00"
},
{
"name": "symfony/event-dispatcher-contracts",
},
{
"name": "symfony/finder",
- "version": "v4.3.8",
+ "version": "v4.4.3",
"source": {
"type": "git",
"url": "https://github.com/symfony/finder.git",
- "reference": "72a068f77e317ae77c0a0495236ad292cfb5ce6f"
+ "reference": "3a50be43515590faf812fbd7708200aabc327ec3"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/finder/zipball/72a068f77e317ae77c0a0495236ad292cfb5ce6f",
- "reference": "72a068f77e317ae77c0a0495236ad292cfb5ce6f",
+ "url": "https://api.github.com/repos/symfony/finder/zipball/3a50be43515590faf812fbd7708200aabc327ec3",
+ "reference": "3a50be43515590faf812fbd7708200aabc327ec3",
"shasum": ""
},
"require": {
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "4.3-dev"
+ "dev-master": "4.4-dev"
}
},
"autoload": {
],
"description": "Symfony Finder Component",
"homepage": "https://symfony.com",
- "time": "2019-10-30T12:53:54+00:00"
+ "time": "2020-01-04T13:00:46+00:00"
},
{
"name": "symfony/http-foundation",
- "version": "v4.3.8",
+ "version": "v4.4.3",
"source": {
"type": "git",
"url": "https://github.com/symfony/http-foundation.git",
- "reference": "cabe67275034e173350e158f3b1803d023880227"
+ "reference": "c33998709f3fe9b8e27e0277535b07fbf6fde37a"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/http-foundation/zipball/cabe67275034e173350e158f3b1803d023880227",
- "reference": "cabe67275034e173350e158f3b1803d023880227",
+ "url": "https://api.github.com/repos/symfony/http-foundation/zipball/c33998709f3fe9b8e27e0277535b07fbf6fde37a",
+ "reference": "c33998709f3fe9b8e27e0277535b07fbf6fde37a",
"shasum": ""
},
"require": {
"php": "^7.1.3",
- "symfony/mime": "^4.3",
+ "symfony/mime": "^4.3|^5.0",
"symfony/polyfill-mbstring": "~1.1"
},
"require-dev": {
"predis/predis": "~1.0",
- "symfony/expression-language": "~3.4|~4.0"
+ "symfony/expression-language": "^3.4|^4.0|^5.0"
},
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "4.3-dev"
+ "dev-master": "4.4-dev"
}
},
"autoload": {
],
"description": "Symfony HttpFoundation Component",
"homepage": "https://symfony.com",
- "time": "2019-11-12T13:07:20+00:00"
+ "time": "2020-01-04T13:00:46+00:00"
},
{
"name": "symfony/http-kernel",
- "version": "v4.3.8",
+ "version": "v4.4.3",
"source": {
"type": "git",
"url": "https://github.com/symfony/http-kernel.git",
- "reference": "5fdf186f26f9080de531d3f1d024348b2f0ab12f"
+ "reference": "16f2aa3c54b08483fba5375938f60b1ff83b6bd2"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/http-kernel/zipball/5fdf186f26f9080de531d3f1d024348b2f0ab12f",
- "reference": "5fdf186f26f9080de531d3f1d024348b2f0ab12f",
+ "url": "https://api.github.com/repos/symfony/http-kernel/zipball/16f2aa3c54b08483fba5375938f60b1ff83b6bd2",
+ "reference": "16f2aa3c54b08483fba5375938f60b1ff83b6bd2",
"shasum": ""
},
"require": {
"php": "^7.1.3",
"psr/log": "~1.0",
- "symfony/debug": "~3.4|~4.0",
- "symfony/event-dispatcher": "^4.3",
- "symfony/http-foundation": "^4.1.1",
- "symfony/polyfill-ctype": "~1.8",
+ "symfony/error-handler": "^4.4",
+ "symfony/event-dispatcher": "^4.4",
+ "symfony/http-foundation": "^4.4|^5.0",
+ "symfony/polyfill-ctype": "^1.8",
"symfony/polyfill-php73": "^1.9"
},
"conflict": {
"symfony/browser-kit": "<4.3",
"symfony/config": "<3.4",
+ "symfony/console": ">=5",
"symfony/dependency-injection": "<4.3",
"symfony/translation": "<4.2",
- "symfony/var-dumper": "<4.1.1",
"twig/twig": "<1.34|<2.4,>=2"
},
"provide": {
},
"require-dev": {
"psr/cache": "~1.0",
- "symfony/browser-kit": "^4.3",
- "symfony/config": "~3.4|~4.0",
- "symfony/console": "~3.4|~4.0",
- "symfony/css-selector": "~3.4|~4.0",
- "symfony/dependency-injection": "^4.3",
- "symfony/dom-crawler": "~3.4|~4.0",
- "symfony/expression-language": "~3.4|~4.0",
- "symfony/finder": "~3.4|~4.0",
- "symfony/process": "~3.4|~4.0",
- "symfony/routing": "~3.4|~4.0",
- "symfony/stopwatch": "~3.4|~4.0",
- "symfony/templating": "~3.4|~4.0",
- "symfony/translation": "~4.2",
- "symfony/translation-contracts": "^1.1",
- "symfony/var-dumper": "^4.1.1",
- "twig/twig": "^1.34|^2.4"
+ "symfony/browser-kit": "^4.3|^5.0",
+ "symfony/config": "^3.4|^4.0|^5.0",
+ "symfony/console": "^3.4|^4.0",
+ "symfony/css-selector": "^3.4|^4.0|^5.0",
+ "symfony/dependency-injection": "^4.3|^5.0",
+ "symfony/dom-crawler": "^3.4|^4.0|^5.0",
+ "symfony/expression-language": "^3.4|^4.0|^5.0",
+ "symfony/finder": "^3.4|^4.0|^5.0",
+ "symfony/process": "^3.4|^4.0|^5.0",
+ "symfony/routing": "^3.4|^4.0|^5.0",
+ "symfony/stopwatch": "^3.4|^4.0|^5.0",
+ "symfony/templating": "^3.4|^4.0|^5.0",
+ "symfony/translation": "^4.2|^5.0",
+ "symfony/translation-contracts": "^1.1|^2",
+ "twig/twig": "^1.34|^2.4|^3.0"
},
"suggest": {
"symfony/browser-kit": "",
"symfony/config": "",
"symfony/console": "",
- "symfony/dependency-injection": "",
- "symfony/var-dumper": ""
+ "symfony/dependency-injection": ""
},
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "4.3-dev"
+ "dev-master": "4.4-dev"
}
},
"autoload": {
],
"description": "Symfony HttpKernel Component",
"homepage": "https://symfony.com",
- "time": "2019-11-13T09:07:28+00:00"
+ "time": "2020-01-21T13:23:17+00:00"
},
{
"name": "symfony/mime",
- "version": "v4.3.8",
+ "version": "v4.4.3",
"source": {
"type": "git",
"url": "https://github.com/symfony/mime.git",
- "reference": "22aecf6b11638ef378fab25d6c5a2da8a31a1448"
+ "reference": "225034620ecd4b34fd826e9983d85e2b7a359094"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/mime/zipball/22aecf6b11638ef378fab25d6c5a2da8a31a1448",
- "reference": "22aecf6b11638ef378fab25d6c5a2da8a31a1448",
+ "url": "https://api.github.com/repos/symfony/mime/zipball/225034620ecd4b34fd826e9983d85e2b7a359094",
+ "reference": "225034620ecd4b34fd826e9983d85e2b7a359094",
"shasum": ""
},
"require": {
"symfony/polyfill-intl-idn": "^1.10",
"symfony/polyfill-mbstring": "^1.0"
},
+ "conflict": {
+ "symfony/mailer": "<4.4"
+ },
"require-dev": {
"egulias/email-validator": "^2.1.10",
- "symfony/dependency-injection": "~3.4|^4.1"
+ "symfony/dependency-injection": "^3.4|^4.1|^5.0"
},
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "4.3-dev"
+ "dev-master": "4.4-dev"
}
},
"autoload": {
"mime",
"mime-type"
],
- "time": "2019-11-12T13:10:02+00:00"
+ "time": "2020-01-04T13:00:46+00:00"
},
{
"name": "symfony/polyfill-ctype",
- "version": "v1.12.0",
+ "version": "v1.13.1",
"source": {
"type": "git",
"url": "https://github.com/symfony/polyfill-ctype.git",
- "reference": "550ebaac289296ce228a706d0867afc34687e3f4"
+ "reference": "f8f0b461be3385e56d6de3dbb5a0df24c0c275e3"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/polyfill-ctype/zipball/550ebaac289296ce228a706d0867afc34687e3f4",
- "reference": "550ebaac289296ce228a706d0867afc34687e3f4",
+ "url": "https://api.github.com/repos/symfony/polyfill-ctype/zipball/f8f0b461be3385e56d6de3dbb5a0df24c0c275e3",
+ "reference": "f8f0b461be3385e56d6de3dbb5a0df24c0c275e3",
"shasum": ""
},
"require": {
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "1.12-dev"
+ "dev-master": "1.13-dev"
}
},
"autoload": {
"polyfill",
"portable"
],
- "time": "2019-08-06T08:03:45+00:00"
+ "time": "2019-11-27T13:56:44+00:00"
},
{
"name": "symfony/polyfill-iconv",
- "version": "v1.12.0",
+ "version": "v1.13.1",
"source": {
"type": "git",
"url": "https://github.com/symfony/polyfill-iconv.git",
- "reference": "685968b11e61a347c18bf25db32effa478be610f"
+ "reference": "a019efccc03f1a335af6b4f20c30f5ea8060be36"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/polyfill-iconv/zipball/685968b11e61a347c18bf25db32effa478be610f",
- "reference": "685968b11e61a347c18bf25db32effa478be610f",
+ "url": "https://api.github.com/repos/symfony/polyfill-iconv/zipball/a019efccc03f1a335af6b4f20c30f5ea8060be36",
+ "reference": "a019efccc03f1a335af6b4f20c30f5ea8060be36",
"shasum": ""
},
"require": {
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "1.12-dev"
+ "dev-master": "1.13-dev"
}
},
"autoload": {
"portable",
"shim"
],
- "time": "2019-08-06T08:03:45+00:00"
+ "time": "2019-11-27T13:56:44+00:00"
},
{
"name": "symfony/polyfill-intl-idn",
- "version": "v1.12.0",
+ "version": "v1.13.1",
"source": {
"type": "git",
"url": "https://github.com/symfony/polyfill-intl-idn.git",
- "reference": "6af626ae6fa37d396dc90a399c0ff08e5cfc45b2"
+ "reference": "6f9c239e61e1b0c9229a28ff89a812dc449c3d46"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/polyfill-intl-idn/zipball/6af626ae6fa37d396dc90a399c0ff08e5cfc45b2",
- "reference": "6af626ae6fa37d396dc90a399c0ff08e5cfc45b2",
+ "url": "https://api.github.com/repos/symfony/polyfill-intl-idn/zipball/6f9c239e61e1b0c9229a28ff89a812dc449c3d46",
+ "reference": "6f9c239e61e1b0c9229a28ff89a812dc449c3d46",
"shasum": ""
},
"require": {
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "1.12-dev"
+ "dev-master": "1.13-dev"
}
},
"autoload": {
"portable",
"shim"
],
- "time": "2019-08-06T08:03:45+00:00"
+ "time": "2019-11-27T13:56:44+00:00"
},
{
"name": "symfony/polyfill-mbstring",
- "version": "v1.12.0",
+ "version": "v1.13.1",
"source": {
"type": "git",
"url": "https://github.com/symfony/polyfill-mbstring.git",
- "reference": "b42a2f66e8f1b15ccf25652c3424265923eb4f17"
+ "reference": "7b4aab9743c30be783b73de055d24a39cf4b954f"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/polyfill-mbstring/zipball/b42a2f66e8f1b15ccf25652c3424265923eb4f17",
- "reference": "b42a2f66e8f1b15ccf25652c3424265923eb4f17",
+ "url": "https://api.github.com/repos/symfony/polyfill-mbstring/zipball/7b4aab9743c30be783b73de055d24a39cf4b954f",
+ "reference": "7b4aab9743c30be783b73de055d24a39cf4b954f",
"shasum": ""
},
"require": {
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "1.12-dev"
+ "dev-master": "1.13-dev"
}
},
"autoload": {
"portable",
"shim"
],
- "time": "2019-08-06T08:03:45+00:00"
+ "time": "2019-11-27T14:18:11+00:00"
},
{
"name": "symfony/polyfill-php72",
- "version": "v1.12.0",
+ "version": "v1.13.1",
"source": {
"type": "git",
"url": "https://github.com/symfony/polyfill-php72.git",
- "reference": "04ce3335667451138df4307d6a9b61565560199e"
+ "reference": "66fea50f6cb37a35eea048d75a7d99a45b586038"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/polyfill-php72/zipball/04ce3335667451138df4307d6a9b61565560199e",
- "reference": "04ce3335667451138df4307d6a9b61565560199e",
+ "url": "https://api.github.com/repos/symfony/polyfill-php72/zipball/66fea50f6cb37a35eea048d75a7d99a45b586038",
+ "reference": "66fea50f6cb37a35eea048d75a7d99a45b586038",
"shasum": ""
},
"require": {
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "1.12-dev"
+ "dev-master": "1.13-dev"
}
},
"autoload": {
"portable",
"shim"
],
- "time": "2019-08-06T08:03:45+00:00"
+ "time": "2019-11-27T13:56:44+00:00"
},
{
"name": "symfony/polyfill-php73",
- "version": "v1.12.0",
+ "version": "v1.13.1",
"source": {
"type": "git",
"url": "https://github.com/symfony/polyfill-php73.git",
- "reference": "2ceb49eaccb9352bff54d22570276bb75ba4a188"
+ "reference": "4b0e2222c55a25b4541305a053013d5647d3a25f"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/polyfill-php73/zipball/2ceb49eaccb9352bff54d22570276bb75ba4a188",
- "reference": "2ceb49eaccb9352bff54d22570276bb75ba4a188",
+ "url": "https://api.github.com/repos/symfony/polyfill-php73/zipball/4b0e2222c55a25b4541305a053013d5647d3a25f",
+ "reference": "4b0e2222c55a25b4541305a053013d5647d3a25f",
"shasum": ""
},
"require": {
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "1.12-dev"
+ "dev-master": "1.13-dev"
}
},
"autoload": {
"portable",
"shim"
],
- "time": "2019-08-06T08:03:45+00:00"
+ "time": "2019-11-27T16:25:15+00:00"
},
{
"name": "symfony/process",
- "version": "v4.3.8",
+ "version": "v4.4.3",
"source": {
"type": "git",
"url": "https://github.com/symfony/process.git",
- "reference": "3b2e0cb029afbb0395034509291f21191d1a4db0"
+ "reference": "f5697ab4cb14a5deed7473819e63141bf5352c36"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/process/zipball/3b2e0cb029afbb0395034509291f21191d1a4db0",
- "reference": "3b2e0cb029afbb0395034509291f21191d1a4db0",
+ "url": "https://api.github.com/repos/symfony/process/zipball/f5697ab4cb14a5deed7473819e63141bf5352c36",
+ "reference": "f5697ab4cb14a5deed7473819e63141bf5352c36",
"shasum": ""
},
"require": {
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "4.3-dev"
+ "dev-master": "4.4-dev"
}
},
"autoload": {
],
"description": "Symfony Process Component",
"homepage": "https://symfony.com",
- "time": "2019-10-28T17:07:32+00:00"
+ "time": "2020-01-09T09:50:08+00:00"
},
{
"name": "symfony/routing",
- "version": "v4.3.8",
+ "version": "v4.4.3",
"source": {
"type": "git",
"url": "https://github.com/symfony/routing.git",
- "reference": "533fd12a41fb9ce8d4e861693365427849487c0e"
+ "reference": "7bf4e38573728e317b926ca4482ad30470d0e86a"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/routing/zipball/533fd12a41fb9ce8d4e861693365427849487c0e",
- "reference": "533fd12a41fb9ce8d4e861693365427849487c0e",
+ "url": "https://api.github.com/repos/symfony/routing/zipball/7bf4e38573728e317b926ca4482ad30470d0e86a",
+ "reference": "7bf4e38573728e317b926ca4482ad30470d0e86a",
"shasum": ""
},
"require": {
"require-dev": {
"doctrine/annotations": "~1.2",
"psr/log": "~1.0",
- "symfony/config": "~4.2",
- "symfony/dependency-injection": "~3.4|~4.0",
- "symfony/expression-language": "~3.4|~4.0",
- "symfony/http-foundation": "~3.4|~4.0",
- "symfony/yaml": "~3.4|~4.0"
+ "symfony/config": "^4.2|^5.0",
+ "symfony/dependency-injection": "^3.4|^4.0|^5.0",
+ "symfony/expression-language": "^3.4|^4.0|^5.0",
+ "symfony/http-foundation": "^3.4|^4.0|^5.0",
+ "symfony/yaml": "^3.4|^4.0|^5.0"
},
"suggest": {
"doctrine/annotations": "For using the annotation loader",
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "4.3-dev"
+ "dev-master": "4.4-dev"
}
},
"autoload": {
"uri",
"url"
],
- "time": "2019-11-04T20:23:03+00:00"
+ "time": "2020-01-08T17:29:02+00:00"
},
{
"name": "symfony/service-contracts",
},
{
"name": "symfony/translation",
- "version": "v4.3.8",
+ "version": "v4.4.3",
"source": {
"type": "git",
"url": "https://github.com/symfony/translation.git",
- "reference": "bbce239b35b0cd47bd75848b23e969f17dd970e7"
+ "reference": "f5d2ac46930238b30a9c2f1b17c905f3697d808c"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/translation/zipball/bbce239b35b0cd47bd75848b23e969f17dd970e7",
- "reference": "bbce239b35b0cd47bd75848b23e969f17dd970e7",
+ "url": "https://api.github.com/repos/symfony/translation/zipball/f5d2ac46930238b30a9c2f1b17c905f3697d808c",
+ "reference": "f5d2ac46930238b30a9c2f1b17c905f3697d808c",
"shasum": ""
},
"require": {
"php": "^7.1.3",
"symfony/polyfill-mbstring": "~1.0",
- "symfony/translation-contracts": "^1.1.6"
+ "symfony/translation-contracts": "^1.1.6|^2"
},
"conflict": {
"symfony/config": "<3.4",
"symfony/dependency-injection": "<3.4",
+ "symfony/http-kernel": "<4.4",
"symfony/yaml": "<3.4"
},
"provide": {
},
"require-dev": {
"psr/log": "~1.0",
- "symfony/config": "~3.4|~4.0",
- "symfony/console": "~3.4|~4.0",
- "symfony/dependency-injection": "~3.4|~4.0",
- "symfony/finder": "~2.8|~3.0|~4.0",
- "symfony/http-kernel": "~3.4|~4.0",
- "symfony/intl": "~3.4|~4.0",
- "symfony/service-contracts": "^1.1.2",
- "symfony/var-dumper": "~3.4|~4.0",
- "symfony/yaml": "~3.4|~4.0"
+ "symfony/config": "^3.4|^4.0|^5.0",
+ "symfony/console": "^3.4|^4.0|^5.0",
+ "symfony/dependency-injection": "^3.4|^4.0|^5.0",
+ "symfony/finder": "~2.8|~3.0|~4.0|^5.0",
+ "symfony/http-kernel": "^4.4",
+ "symfony/intl": "^3.4|^4.0|^5.0",
+ "symfony/service-contracts": "^1.1.2|^2",
+ "symfony/yaml": "^3.4|^4.0|^5.0"
},
"suggest": {
"psr/log-implementation": "To use logging capability in translator",
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "4.3-dev"
+ "dev-master": "4.4-dev"
}
},
"autoload": {
],
"description": "Symfony Translation Component",
"homepage": "https://symfony.com",
- "time": "2019-11-06T23:21:49+00:00"
+ "time": "2020-01-15T13:29:06+00:00"
},
{
"name": "symfony/translation-contracts",
},
{
"name": "symfony/var-dumper",
- "version": "v4.3.8",
+ "version": "v4.4.3",
"source": {
"type": "git",
"url": "https://github.com/symfony/var-dumper.git",
- "reference": "ea4940845535c85ff5c505e13b3205b0076d07bf"
+ "reference": "7cfa470bc3b1887a7b2a47c0a702a84ad614fa92"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/var-dumper/zipball/ea4940845535c85ff5c505e13b3205b0076d07bf",
- "reference": "ea4940845535c85ff5c505e13b3205b0076d07bf",
+ "url": "https://api.github.com/repos/symfony/var-dumper/zipball/7cfa470bc3b1887a7b2a47c0a702a84ad614fa92",
+ "reference": "7cfa470bc3b1887a7b2a47c0a702a84ad614fa92",
"shasum": ""
},
"require": {
},
"require-dev": {
"ext-iconv": "*",
- "symfony/console": "~3.4|~4.0",
- "symfony/process": "~3.4|~4.0",
- "twig/twig": "~1.34|~2.4"
+ "symfony/console": "^3.4|^4.0|^5.0",
+ "symfony/process": "^4.4|^5.0",
+ "twig/twig": "^1.34|^2.4|^3.0"
},
"suggest": {
"ext-iconv": "To convert non-UTF-8 strings to UTF-8 (or symfony/polyfill-iconv in case ext-iconv cannot be used).",
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "4.3-dev"
+ "dev-master": "4.4-dev"
}
},
"autoload": {
"debug",
"dump"
],
- "time": "2019-10-13T12:02:04+00:00"
+ "time": "2020-01-04T13:00:46+00:00"
},
{
"name": "tijsverkoyen/css-to-inline-styles",
},
{
"name": "barryvdh/laravel-ide-helper",
- "version": "v2.6.5",
+ "version": "v2.6.6",
"source": {
"type": "git",
"url": "https://github.com/barryvdh/laravel-ide-helper.git",
- "reference": "8740a9a158d3dd5cfc706a9d4cc1bf7a518f99f3"
+ "reference": "b91b959364d97af658f268c733c75dccdbff197e"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/barryvdh/laravel-ide-helper/zipball/8740a9a158d3dd5cfc706a9d4cc1bf7a518f99f3",
- "reference": "8740a9a158d3dd5cfc706a9d4cc1bf7a518f99f3",
+ "url": "https://api.github.com/repos/barryvdh/laravel-ide-helper/zipball/b91b959364d97af658f268c733c75dccdbff197e",
+ "reference": "b91b959364d97af658f268c733c75dccdbff197e",
"shasum": ""
},
"require": {
"phpstorm",
"sublime"
],
- "time": "2019-09-08T09:56:38+00:00"
+ "time": "2019-10-30T20:53:27+00:00"
},
{
"name": "barryvdh/reflection-docblock",
},
{
"name": "composer/ca-bundle",
- "version": "1.2.4",
+ "version": "1.2.6",
"source": {
"type": "git",
"url": "https://github.com/composer/ca-bundle.git",
- "reference": "10bb96592168a0f8e8f6dcde3532d9fa50b0b527"
+ "reference": "47fe531de31fca4a1b997f87308e7d7804348f7e"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/composer/ca-bundle/zipball/10bb96592168a0f8e8f6dcde3532d9fa50b0b527",
- "reference": "10bb96592168a0f8e8f6dcde3532d9fa50b0b527",
+ "url": "https://api.github.com/repos/composer/ca-bundle/zipball/47fe531de31fca4a1b997f87308e7d7804348f7e",
+ "reference": "47fe531de31fca4a1b997f87308e7d7804348f7e",
"shasum": ""
},
"require": {
"require-dev": {
"phpunit/phpunit": "^4.8.35 || ^5.7 || 6.5 - 8",
"psr/log": "^1.0",
- "symfony/process": "^2.5 || ^3.0 || ^4.0"
+ "symfony/process": "^2.5 || ^3.0 || ^4.0 || ^5.0"
},
"type": "library",
"extra": {
"ssl",
"tls"
],
- "time": "2019-08-30T08:44:50+00:00"
+ "time": "2020-01-13T10:02:55+00:00"
},
{
"name": "composer/composer",
- "version": "1.9.1",
+ "version": "1.9.2",
"source": {
"type": "git",
"url": "https://github.com/composer/composer.git",
- "reference": "bb01f2180df87ce7992b8331a68904f80439dd2f"
+ "reference": "7a04aa0201ddaa0b3cf64d41022bd8cdcd7fafeb"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/composer/composer/zipball/bb01f2180df87ce7992b8331a68904f80439dd2f",
- "reference": "bb01f2180df87ce7992b8331a68904f80439dd2f",
+ "url": "https://api.github.com/repos/composer/composer/zipball/7a04aa0201ddaa0b3cf64d41022bd8cdcd7fafeb",
+ "reference": "7a04aa0201ddaa0b3cf64d41022bd8cdcd7fafeb",
"shasum": ""
},
"require": {
"dependency",
"package"
],
- "time": "2019-11-01T16:20:17+00:00"
+ "time": "2020-01-14T15:30:32+00:00"
},
{
"name": "composer/semver",
- "version": "1.5.0",
+ "version": "1.5.1",
"source": {
"type": "git",
"url": "https://github.com/composer/semver.git",
- "reference": "46d9139568ccb8d9e7cdd4539cab7347568a5e2e"
+ "reference": "c6bea70230ef4dd483e6bbcab6005f682ed3a8de"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/composer/semver/zipball/46d9139568ccb8d9e7cdd4539cab7347568a5e2e",
- "reference": "46d9139568ccb8d9e7cdd4539cab7347568a5e2e",
+ "url": "https://api.github.com/repos/composer/semver/zipball/c6bea70230ef4dd483e6bbcab6005f682ed3a8de",
+ "reference": "c6bea70230ef4dd483e6bbcab6005f682ed3a8de",
"shasum": ""
},
"require": {
"php": "^5.3.2 || ^7.0"
},
"require-dev": {
- "phpunit/phpunit": "^4.5 || ^5.0.5",
- "phpunit/phpunit-mock-objects": "2.3.0 || ^3.0"
+ "phpunit/phpunit": "^4.5 || ^5.0.5"
},
"type": "library",
"extra": {
"validation",
"versioning"
],
- "time": "2019-03-19T17:25:45+00:00"
+ "time": "2020-01-13T12:06:48+00:00"
},
{
"name": "composer/spdx-licenses",
},
"require-dev": {
"doctrine/coding-standard": "^6.0",
- "ext-pdo": "*",
- "ext-phar": "*",
- "phpbench/phpbench": "^0.13",
- "phpstan/phpstan-phpunit": "^0.11",
- "phpstan/phpstan-shim": "^0.11",
- "phpunit/phpunit": "^7.0"
- },
- "type": "library",
- "extra": {
- "branch-alias": {
- "dev-master": "1.2.x-dev"
- }
- },
- "autoload": {
- "psr-4": {
- "Doctrine\\Instantiator\\": "src/Doctrine/Instantiator/"
- }
- },
- "notification-url": "https://packagist.org/downloads/",
- "license": [
- "MIT"
- ],
- "authors": [
- {
- "name": "Marco Pivetta",
- "homepage": "http://ocramius.github.com/"
- }
- ],
- "description": "A small, lightweight utility to instantiate objects in PHP without invoking their constructors",
- "homepage": "https://www.doctrine-project.org/projects/instantiator.html",
- "keywords": [
- "constructor",
- "instantiate"
- ],
- "time": "2019-10-21T16:45:58+00:00"
- },
- {
- "name": "facade/flare-client-php",
- "version": "1.1.2",
- "source": {
- "type": "git",
- "url": "https://github.com/facade/flare-client-php.git",
- "reference": "04c0bbd1881942f59e27877bac3b29ba57519666"
- },
- "dist": {
- "type": "zip",
- "url": "https://api.github.com/repos/facade/flare-client-php/zipball/04c0bbd1881942f59e27877bac3b29ba57519666",
- "reference": "04c0bbd1881942f59e27877bac3b29ba57519666",
- "shasum": ""
- },
- "require": {
- "facade/ignition-contracts": "~1.0",
- "illuminate/pipeline": "~5.5|~5.6|~5.7|~5.8|^6.0",
- "php": "^7.1",
- "symfony/http-foundation": "~3.3|~4.1",
- "symfony/var-dumper": "^3.4|^4.0"
- },
- "require-dev": {
- "larapack/dd": "^1.1",
- "phpunit/phpunit": "^7.5.16",
- "spatie/phpunit-snapshot-assertions": "^2.0"
- },
- "type": "library",
- "extra": {
- "branch-alias": {
- "dev-master": "1.0-dev"
- }
- },
- "autoload": {
- "psr-4": {
- "Facade\\FlareClient\\": "src"
- },
- "files": [
- "src/helpers.php"
- ]
- },
- "notification-url": "https://packagist.org/downloads/",
- "license": [
- "MIT"
- ],
- "description": "Send PHP errors to Flare",
- "homepage": "https://github.com/facade/flare-client-php",
- "keywords": [
- "exception",
- "facade",
- "flare",
- "reporting"
- ],
- "time": "2019-11-08T11:11:17+00:00"
- },
- {
- "name": "facade/ignition",
- "version": "1.12.0",
- "source": {
- "type": "git",
- "url": "https://github.com/facade/ignition.git",
- "reference": "67736a01597b9e08f00a1fc8966b92b918dba5ea"
- },
- "dist": {
- "type": "zip",
- "url": "https://api.github.com/repos/facade/ignition/zipball/67736a01597b9e08f00a1fc8966b92b918dba5ea",
- "reference": "67736a01597b9e08f00a1fc8966b92b918dba5ea",
- "shasum": ""
- },
- "require": {
- "ext-json": "*",
- "ext-mbstring": "*",
- "facade/flare-client-php": "^1.1",
- "facade/ignition-contracts": "^1.0",
- "filp/whoops": "^2.4",
- "illuminate/support": "~5.5.0 || ~5.6.0 || ~5.7.0 || ~5.8.0 || ^6.0",
- "monolog/monolog": "^1.12 || ^2.0",
- "php": "^7.1",
- "scrivo/highlight.php": "^9.15",
- "symfony/console": "^3.4 || ^4.0",
- "symfony/var-dumper": "^3.4 || ^4.0"
- },
- "require-dev": {
- "friendsofphp/php-cs-fixer": "^2.14",
- "mockery/mockery": "^1.2",
- "orchestra/testbench": "^3.5 || ^3.6 || ^3.7 || ^3.8 || ^4.0"
- },
- "suggest": {
- "laravel/telescope": "^2.0"
- },
- "type": "library",
- "extra": {
- "branch-alias": {
- "dev-master": "1.0-dev"
- },
- "laravel": {
- "providers": [
- "Facade\\Ignition\\IgnitionServiceProvider"
- ],
- "aliases": {
- "Flare": "Facade\\Ignition\\Facades\\Flare"
- }
- }
- },
- "autoload": {
- "psr-4": {
- "Facade\\Ignition\\": "src"
- },
- "files": [
- "src/helpers.php"
- ]
- },
- "notification-url": "https://packagist.org/downloads/",
- "license": [
- "MIT"
- ],
- "description": "A beautiful error page for Laravel applications.",
- "homepage": "https://github.com/facade/ignition",
- "keywords": [
- "error",
- "flare",
- "laravel",
- "page"
- ],
- "time": "2019-11-14T10:51:35+00:00"
- },
- {
- "name": "facade/ignition-contracts",
- "version": "1.0.0",
- "source": {
- "type": "git",
- "url": "https://github.com/facade/ignition-contracts.git",
- "reference": "f445db0fb86f48e205787b2592840dd9c80ded28"
- },
- "dist": {
- "type": "zip",
- "url": "https://api.github.com/repos/facade/ignition-contracts/zipball/f445db0fb86f48e205787b2592840dd9c80ded28",
- "reference": "f445db0fb86f48e205787b2592840dd9c80ded28",
- "shasum": ""
- },
- "require": {
- "php": "^7.1"
- },
- "type": "library",
- "autoload": {
- "psr-4": {
- "Facade\\IgnitionContracts\\": "src"
- }
- },
- "notification-url": "https://packagist.org/downloads/",
- "license": [
- "MIT"
- ],
- "authors": [
- {
- "name": "Freek Van der Herten",
- "homepage": "https://flareapp.io",
- "role": "Developer"
- }
- ],
- "description": "Solution contracts for Ignition",
- "homepage": "https://github.com/facade/ignition-contracts",
- "keywords": [
- "contracts",
- "flare",
- "ignition"
- ],
- "time": "2019-08-30T14:06:08+00:00"
- },
- {
- "name": "filp/whoops",
- "version": "2.5.0",
- "source": {
- "type": "git",
- "url": "https://github.com/filp/whoops.git",
- "reference": "cde50e6720a39fdacb240159d3eea6865d51fd96"
- },
- "dist": {
- "type": "zip",
- "url": "https://api.github.com/repos/filp/whoops/zipball/cde50e6720a39fdacb240159d3eea6865d51fd96",
- "reference": "cde50e6720a39fdacb240159d3eea6865d51fd96",
- "shasum": ""
- },
- "require": {
- "php": "^5.5.9 || ^7.0",
- "psr/log": "^1.0.1"
- },
- "require-dev": {
- "mockery/mockery": "^0.9 || ^1.0",
- "phpunit/phpunit": "^4.8.35 || ^5.7",
- "symfony/var-dumper": "^2.6 || ^3.0 || ^4.0"
- },
- "suggest": {
- "symfony/var-dumper": "Pretty print complex values better with var-dumper available",
- "whoops/soap": "Formats errors as SOAP responses"
+ "ext-pdo": "*",
+ "ext-phar": "*",
+ "phpbench/phpbench": "^0.13",
+ "phpstan/phpstan-phpunit": "^0.11",
+ "phpstan/phpstan-shim": "^0.11",
+ "phpunit/phpunit": "^7.0"
},
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "2.2-dev"
+ "dev-master": "1.2.x-dev"
}
},
"autoload": {
"psr-4": {
- "Whoops\\": "src/Whoops/"
+ "Doctrine\\Instantiator\\": "src/Doctrine/Instantiator/"
}
},
"notification-url": "https://packagist.org/downloads/",
],
"authors": [
{
- "name": "Filipe Dobreira",
- "role": "Developer",
- "homepage": "https://github.com/filp"
+ "name": "Marco Pivetta",
+ "homepage": "http://ocramius.github.com/"
}
],
- "description": "php error handling for cool kids",
- "homepage": "https://filp.github.io/whoops/",
+ "description": "A small, lightweight utility to instantiate objects in PHP without invoking their constructors",
+ "homepage": "https://www.doctrine-project.org/projects/instantiator.html",
"keywords": [
- "error",
- "exception",
- "handling",
- "library",
- "throwable",
- "whoops"
+ "constructor",
+ "instantiate"
],
- "time": "2019-08-07T09:00:00+00:00"
+ "time": "2019-10-21T16:45:58+00:00"
},
{
"name": "fzaninotto/faker",
- "version": "v1.9.0",
+ "version": "v1.9.1",
"source": {
"type": "git",
"url": "https://github.com/fzaninotto/Faker.git",
- "reference": "27a216cbe72327b2d6369fab721a5843be71e57d"
+ "reference": "fc10d778e4b84d5bd315dad194661e091d307c6f"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/fzaninotto/Faker/zipball/27a216cbe72327b2d6369fab721a5843be71e57d",
- "reference": "27a216cbe72327b2d6369fab721a5843be71e57d",
+ "url": "https://api.github.com/repos/fzaninotto/Faker/zipball/fc10d778e4b84d5bd315dad194661e091d307c6f",
+ "reference": "fc10d778e4b84d5bd315dad194661e091d307c6f",
"shasum": ""
},
"require": {
},
"type": "library",
"extra": {
- "branch-alias": []
+ "branch-alias": {
+ "dev-master": "1.9-dev"
+ }
},
"autoload": {
"psr-4": {
"faker",
"fixtures"
],
- "time": "2019-11-14T13:13:06+00:00"
+ "time": "2019-12-12T13:22:17+00:00"
},
{
"name": "hamcrest/hamcrest-php",
],
"time": "2016-01-20T08:20:44+00:00"
},
- {
- "name": "jakub-onderka/php-console-color",
- "version": "v0.2",
- "source": {
- "type": "git",
- "url": "https://github.com/JakubOnderka/PHP-Console-Color.git",
- "reference": "d5deaecff52a0d61ccb613bb3804088da0307191"
- },
- "dist": {
- "type": "zip",
- "url": "https://api.github.com/repos/JakubOnderka/PHP-Console-Color/zipball/d5deaecff52a0d61ccb613bb3804088da0307191",
- "reference": "d5deaecff52a0d61ccb613bb3804088da0307191",
- "shasum": ""
- },
- "require": {
- "php": ">=5.4.0"
- },
- "require-dev": {
- "jakub-onderka/php-code-style": "1.0",
- "jakub-onderka/php-parallel-lint": "1.0",
- "jakub-onderka/php-var-dump-check": "0.*",
- "phpunit/phpunit": "~4.3",
- "squizlabs/php_codesniffer": "1.*"
- },
- "type": "library",
- "autoload": {
- "psr-4": {
- "JakubOnderka\\PhpConsoleColor\\": "src/"
- }
- },
- "notification-url": "https://packagist.org/downloads/",
- "license": [
- "BSD-2-Clause"
- ],
- "authors": [
- {
- "name": "Jakub Onderka",
- }
- ],
- "time": "2018-09-29T17:23:10+00:00"
- },
- {
- "name": "jakub-onderka/php-console-highlighter",
- "version": "v0.4",
- "source": {
- "type": "git",
- "url": "https://github.com/JakubOnderka/PHP-Console-Highlighter.git",
- "reference": "9f7a229a69d52506914b4bc61bfdb199d90c5547"
- },
- "dist": {
- "type": "zip",
- "url": "https://api.github.com/repos/JakubOnderka/PHP-Console-Highlighter/zipball/9f7a229a69d52506914b4bc61bfdb199d90c5547",
- "reference": "9f7a229a69d52506914b4bc61bfdb199d90c5547",
- "shasum": ""
- },
- "require": {
- "ext-tokenizer": "*",
- "jakub-onderka/php-console-color": "~0.2",
- "php": ">=5.4.0"
- },
- "require-dev": {
- "jakub-onderka/php-code-style": "~1.0",
- "jakub-onderka/php-parallel-lint": "~1.0",
- "jakub-onderka/php-var-dump-check": "~0.1",
- "phpunit/phpunit": "~4.0",
- "squizlabs/php_codesniffer": "~1.5"
- },
- "type": "library",
- "autoload": {
- "psr-4": {
- "JakubOnderka\\PhpConsoleHighlighter\\": "src/"
- }
- },
- "notification-url": "https://packagist.org/downloads/",
- "license": [
- "MIT"
- ],
- "authors": [
- {
- "name": "Jakub Onderka",
- "homepage": "http://www.acci.cz/"
- }
- ],
- "description": "Highlight PHP code in terminal",
- "time": "2018-09-29T18:48:56+00:00"
- },
{
"name": "justinrainbow/json-schema",
"version": "5.2.9",
},
{
"name": "mockery/mockery",
- "version": "1.2.4",
+ "version": "1.3.1",
"source": {
"type": "git",
"url": "https://github.com/mockery/mockery.git",
- "reference": "b3453f75fd23d9fd41685f2148f4abeacabc6405"
+ "reference": "f69bbde7d7a75d6b2862d9ca8fab1cd28014b4be"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/mockery/mockery/zipball/b3453f75fd23d9fd41685f2148f4abeacabc6405",
- "reference": "b3453f75fd23d9fd41685f2148f4abeacabc6405",
+ "url": "https://api.github.com/repos/mockery/mockery/zipball/f69bbde7d7a75d6b2862d9ca8fab1cd28014b4be",
+ "reference": "f69bbde7d7a75d6b2862d9ca8fab1cd28014b4be",
"shasum": ""
},
"require": {
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "1.2.x-dev"
+ "dev-master": "1.3.x-dev"
}
},
"autoload": {
"test double",
"testing"
],
- "time": "2019-09-30T08:30:27+00:00"
+ "time": "2019-12-26T09:49:15+00:00"
},
{
"name": "myclabs/deep-copy",
- "version": "1.9.3",
+ "version": "1.9.5",
"source": {
"type": "git",
"url": "https://github.com/myclabs/DeepCopy.git",
- "reference": "007c053ae6f31bba39dfa19a7726f56e9763bbea"
+ "reference": "b2c28789e80a97badd14145fda39b545d83ca3ef"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/myclabs/DeepCopy/zipball/007c053ae6f31bba39dfa19a7726f56e9763bbea",
- "reference": "007c053ae6f31bba39dfa19a7726f56e9763bbea",
+ "url": "https://api.github.com/repos/myclabs/DeepCopy/zipball/b2c28789e80a97badd14145fda39b545d83ca3ef",
+ "reference": "b2c28789e80a97badd14145fda39b545d83ca3ef",
"shasum": ""
},
"require": {
"object",
"object graph"
],
- "time": "2019-08-09T12:45:53+00:00"
- },
- {
- "name": "nunomaduro/collision",
- "version": "v3.0.1",
- "source": {
- "type": "git",
- "url": "https://github.com/nunomaduro/collision.git",
- "reference": "af42d339fe2742295a54f6fdd42aaa6f8c4aca68"
- },
- "dist": {
- "type": "zip",
- "url": "https://api.github.com/repos/nunomaduro/collision/zipball/af42d339fe2742295a54f6fdd42aaa6f8c4aca68",
- "reference": "af42d339fe2742295a54f6fdd42aaa6f8c4aca68",
- "shasum": ""
- },
- "require": {
- "filp/whoops": "^2.1.4",
- "jakub-onderka/php-console-highlighter": "0.3.*|0.4.*",
- "php": "^7.1",
- "symfony/console": "~2.8|~3.3|~4.0"
- },
- "require-dev": {
- "laravel/framework": "5.8.*",
- "nunomaduro/larastan": "^0.3.0",
- "phpstan/phpstan": "^0.11",
- "phpunit/phpunit": "~8.0"
- },
- "type": "library",
- "extra": {
- "laravel": {
- "providers": [
- "NunoMaduro\\Collision\\Adapters\\Laravel\\CollisionServiceProvider"
- ]
- }
- },
- "autoload": {
- "psr-4": {
- "NunoMaduro\\Collision\\": "src/"
- }
- },
- "notification-url": "https://packagist.org/downloads/",
- "license": [
- "MIT"
- ],
- "authors": [
- {
- "name": "Nuno Maduro",
- }
- ],
- "description": "Cli error handling for console/command-line PHP applications.",
- "keywords": [
- "artisan",
- "cli",
- "command-line",
- "console",
- "error",
- "handling",
- "laravel",
- "laravel-zero",
- "php",
- "symfony"
- ],
- "time": "2019-03-07T21:35:13+00:00"
+ "time": "2020-01-17T21:11:47+00:00"
},
{
"name": "phar-io/manifest",
},
{
"name": "phpdocumentor/reflection-docblock",
- "version": "4.3.2",
+ "version": "4.3.4",
"source": {
"type": "git",
"url": "https://github.com/phpDocumentor/ReflectionDocBlock.git",
- "reference": "b83ff7cfcfee7827e1e78b637a5904fe6a96698e"
+ "reference": "da3fd972d6bafd628114f7e7e036f45944b62e9c"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/phpDocumentor/ReflectionDocBlock/zipball/b83ff7cfcfee7827e1e78b637a5904fe6a96698e",
- "reference": "b83ff7cfcfee7827e1e78b637a5904fe6a96698e",
+ "url": "https://api.github.com/repos/phpDocumentor/ReflectionDocBlock/zipball/da3fd972d6bafd628114f7e7e036f45944b62e9c",
+ "reference": "da3fd972d6bafd628114f7e7e036f45944b62e9c",
"shasum": ""
},
"require": {
"require-dev": {
"doctrine/instantiator": "^1.0.5",
"mockery/mockery": "^1.0",
+ "phpdocumentor/type-resolver": "0.4.*",
"phpunit/phpunit": "^6.4"
},
"type": "library",
}
],
"description": "With this component, a library can provide support for annotations via DocBlocks or otherwise retrieve information that is embedded in a DocBlock.",
- "time": "2019-09-12T14:27:41+00:00"
+ "time": "2019-12-28T18:55:12+00:00"
},
{
"name": "phpdocumentor/type-resolver",
},
{
"name": "phpspec/prophecy",
- "version": "1.9.0",
+ "version": "v1.10.2",
"source": {
"type": "git",
"url": "https://github.com/phpspec/prophecy.git",
- "reference": "f6811d96d97bdf400077a0cc100ae56aa32b9203"
+ "reference": "b4400efc9d206e83138e2bb97ed7f5b14b831cd9"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/phpspec/prophecy/zipball/f6811d96d97bdf400077a0cc100ae56aa32b9203",
- "reference": "f6811d96d97bdf400077a0cc100ae56aa32b9203",
+ "url": "https://api.github.com/repos/phpspec/prophecy/zipball/b4400efc9d206e83138e2bb97ed7f5b14b831cd9",
+ "reference": "b4400efc9d206e83138e2bb97ed7f5b14b831cd9",
"shasum": ""
},
"require": {
"doctrine/instantiator": "^1.0.2",
"php": "^5.3|^7.0",
"phpdocumentor/reflection-docblock": "^2.0|^3.0.2|^4.0|^5.0",
- "sebastian/comparator": "^1.1|^2.0|^3.0",
- "sebastian/recursion-context": "^1.0|^2.0|^3.0"
+ "sebastian/comparator": "^1.2.3|^2.0|^3.0|^4.0",
+ "sebastian/recursion-context": "^1.0|^2.0|^3.0|^4.0"
},
"require-dev": {
- "phpspec/phpspec": "^2.5|^3.2",
+ "phpspec/phpspec": "^2.5 || ^3.2",
"phpunit/phpunit": "^4.8.35 || ^5.7 || ^6.5 || ^7.1"
},
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "1.8.x-dev"
+ "dev-master": "1.10.x-dev"
}
},
"autoload": {
"spy",
"stub"
],
- "time": "2019-10-03T11:07:50+00:00"
+ "time": "2020-01-20T15:57:02+00:00"
},
{
"name": "phpunit/php-code-coverage",
- "version": "7.0.8",
+ "version": "7.0.10",
"source": {
"type": "git",
"url": "https://github.com/sebastianbergmann/php-code-coverage.git",
- "reference": "aa0d179a13284c7420fc281fc32750e6cc7c9e2f"
+ "reference": "f1884187926fbb755a9aaf0b3836ad3165b478bf"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/sebastianbergmann/php-code-coverage/zipball/aa0d179a13284c7420fc281fc32750e6cc7c9e2f",
- "reference": "aa0d179a13284c7420fc281fc32750e6cc7c9e2f",
+ "url": "https://api.github.com/repos/sebastianbergmann/php-code-coverage/zipball/f1884187926fbb755a9aaf0b3836ad3165b478bf",
+ "reference": "f1884187926fbb755a9aaf0b3836ad3165b478bf",
"shasum": ""
},
"require": {
"testing",
"xunit"
],
- "time": "2019-09-17T06:24:36+00:00"
+ "time": "2019-11-20T13:55:58+00:00"
},
{
"name": "phpunit/php-file-iterator",
},
{
"name": "phpunit/phpunit",
- "version": "8.4.3",
+ "version": "8.5.2",
"source": {
"type": "git",
"url": "https://github.com/sebastianbergmann/phpunit.git",
- "reference": "67f9e35bffc0dd52d55d565ddbe4230454fd6a4e"
+ "reference": "018b6ac3c8ab20916db85fa91bf6465acb64d1e0"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/sebastianbergmann/phpunit/zipball/67f9e35bffc0dd52d55d565ddbe4230454fd6a4e",
- "reference": "67f9e35bffc0dd52d55d565ddbe4230454fd6a4e",
+ "url": "https://api.github.com/repos/sebastianbergmann/phpunit/zipball/018b6ac3c8ab20916db85fa91bf6465acb64d1e0",
+ "reference": "018b6ac3c8ab20916db85fa91bf6465acb64d1e0",
"shasum": ""
},
"require": {
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "8.4-dev"
+ "dev-master": "8.5-dev"
}
},
"autoload": {
"testing",
"xunit"
],
- "time": "2019-11-06T09:42:23+00:00"
- },
- {
- "name": "scrivo/highlight.php",
- "version": "v9.15.10.0",
- "source": {
- "type": "git",
- "url": "https://github.com/scrivo/highlight.php.git",
- "reference": "9ad3adb4456dc91196327498dbbce6aa1ba1239e"
- },
- "dist": {
- "type": "zip",
- "url": "https://api.github.com/repos/scrivo/highlight.php/zipball/9ad3adb4456dc91196327498dbbce6aa1ba1239e",
- "reference": "9ad3adb4456dc91196327498dbbce6aa1ba1239e",
- "shasum": ""
- },
- "require": {
- "ext-json": "*",
- "ext-mbstring": "*",
- "php": ">=5.4"
- },
- "require-dev": {
- "phpunit/phpunit": "^4.8|^5.7",
- "symfony/finder": "^2.8"
- },
- "suggest": {
- "ext-dom": "Needed to make use of the features in the utilities namespace"
- },
- "type": "library",
- "autoload": {
- "psr-0": {
- "Highlight\\": "",
- "HighlightUtilities\\": ""
- },
- "files": [
- "HighlightUtilities/functions.php"
- ]
- },
- "notification-url": "https://packagist.org/downloads/",
- "license": [
- "BSD-3-Clause"
- ],
- "authors": [
- {
- "name": "Geert Bergman",
- "role": "Project Author",
- "homepage": "http://www.scrivo.org/"
- },
- {
- "name": "Vladimir Jimenez",
- "role": "Contributor",
- "homepage": "https://allejo.io"
- },
- {
- "name": "Martin Folkers",
- "role": "Contributor",
- "homepage": "https://twobrain.io"
- }
- ],
- "description": "Server side syntax highlighter that supports 185 languages. It's a PHP port of highlight.js",
- "keywords": [
- "code",
- "highlight",
- "highlight.js",
- "highlight.php",
- "syntax"
- ],
- "time": "2019-08-27T04:27:48+00:00"
+ "time": "2020-01-08T08:49:49+00:00"
},
{
"name": "sebastian/code-unit-reverse-lookup",
},
{
"name": "sebastian/environment",
- "version": "4.2.2",
+ "version": "4.2.3",
"source": {
"type": "git",
"url": "https://github.com/sebastianbergmann/environment.git",
- "reference": "f2a2c8e1c97c11ace607a7a667d73d47c19fe404"
+ "reference": "464c90d7bdf5ad4e8a6aea15c091fec0603d4368"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/sebastianbergmann/environment/zipball/f2a2c8e1c97c11ace607a7a667d73d47c19fe404",
- "reference": "f2a2c8e1c97c11ace607a7a667d73d47c19fe404",
+ "url": "https://api.github.com/repos/sebastianbergmann/environment/zipball/464c90d7bdf5ad4e8a6aea15c091fec0603d4368",
+ "reference": "464c90d7bdf5ad4e8a6aea15c091fec0603d4368",
"shasum": ""
},
"require": {
"environment",
"hhvm"
],
- "time": "2019-05-05T09:05:15+00:00"
+ "time": "2019-11-20T08:46:58+00:00"
},
{
"name": "sebastian/exporter",
},
{
"name": "sebastian/finder-facade",
- "version": "1.2.2",
+ "version": "1.2.3",
"source": {
"type": "git",
"url": "https://github.com/sebastianbergmann/finder-facade.git",
- "reference": "4a3174709c2dc565fe5fb26fcf827f6a1fc7b09f"
+ "reference": "167c45d131f7fc3d159f56f191a0a22228765e16"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/sebastianbergmann/finder-facade/zipball/4a3174709c2dc565fe5fb26fcf827f6a1fc7b09f",
- "reference": "4a3174709c2dc565fe5fb26fcf827f6a1fc7b09f",
+ "url": "https://api.github.com/repos/sebastianbergmann/finder-facade/zipball/167c45d131f7fc3d159f56f191a0a22228765e16",
+ "reference": "167c45d131f7fc3d159f56f191a0a22228765e16",
"shasum": ""
},
"require": {
- "symfony/finder": "~2.3|~3.0|~4.0",
- "theseer/fdomdocument": "~1.3"
+ "php": "^7.1",
+ "symfony/finder": "^2.3|^3.0|^4.0|^5.0",
+ "theseer/fdomdocument": "^1.6"
},
"type": "library",
+ "extra": {
+ "branch-alias": []
+ },
"autoload": {
"classmap": [
"src/"
],
"description": "FinderFacade is a convenience wrapper for Symfony's Finder component.",
"homepage": "https://github.com/sebastianbergmann/finder-facade",
- "time": "2017-11-18T17:31:49+00:00"
+ "time": "2020-01-16T08:08:45+00:00"
},
{
"name": "sebastian/global-state",
},
{
"name": "seld/phar-utils",
- "version": "1.0.1",
+ "version": "1.0.2",
"source": {
"type": "git",
"url": "https://github.com/Seldaek/phar-utils.git",
- "reference": "7009b5139491975ef6486545a39f3e6dad5ac30a"
+ "reference": "84715761c35808076b00908a20317a3a8a67d17e"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/Seldaek/phar-utils/zipball/7009b5139491975ef6486545a39f3e6dad5ac30a",
- "reference": "7009b5139491975ef6486545a39f3e6dad5ac30a",
+ "url": "https://api.github.com/repos/Seldaek/phar-utils/zipball/84715761c35808076b00908a20317a3a8a67d17e",
+ "reference": "84715761c35808076b00908a20317a3a8a67d17e",
"shasum": ""
},
"require": {
"keywords": [
"phra"
],
- "time": "2015-10-13T18:44:15+00:00"
+ "time": "2020-01-13T10:41:09+00:00"
},
{
"name": "squizlabs/php_codesniffer",
- "version": "3.5.2",
+ "version": "3.5.3",
"source": {
"type": "git",
"url": "https://github.com/squizlabs/PHP_CodeSniffer.git",
- "reference": "65b12cdeaaa6cd276d4c3033a95b9b88b12701e7"
+ "reference": "557a1fc7ac702c66b0bbfe16ab3d55839ef724cb"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/squizlabs/PHP_CodeSniffer/zipball/65b12cdeaaa6cd276d4c3033a95b9b88b12701e7",
- "reference": "65b12cdeaaa6cd276d4c3033a95b9b88b12701e7",
+ "url": "https://api.github.com/repos/squizlabs/PHP_CodeSniffer/zipball/557a1fc7ac702c66b0bbfe16ab3d55839ef724cb",
+ "reference": "557a1fc7ac702c66b0bbfe16ab3d55839ef724cb",
"shasum": ""
},
"require": {
"phpcs",
"standards"
],
- "time": "2019-10-28T04:36:32+00:00"
+ "time": "2019-12-04T04:46:47+00:00"
},
{
"name": "symfony/dom-crawler",
- "version": "v4.3.8",
+ "version": "v4.4.3",
"source": {
"type": "git",
"url": "https://github.com/symfony/dom-crawler.git",
- "reference": "4b9efd5708c3a38593e19b6a33e40867f4f89d72"
+ "reference": "b66fe8ccc850ea11c4cd31677706c1219768bea1"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/dom-crawler/zipball/4b9efd5708c3a38593e19b6a33e40867f4f89d72",
- "reference": "4b9efd5708c3a38593e19b6a33e40867f4f89d72",
+ "url": "https://api.github.com/repos/symfony/dom-crawler/zipball/b66fe8ccc850ea11c4cd31677706c1219768bea1",
+ "reference": "b66fe8ccc850ea11c4cd31677706c1219768bea1",
"shasum": ""
},
"require": {
},
"require-dev": {
"masterminds/html5": "^2.6",
- "symfony/css-selector": "~3.4|~4.0"
+ "symfony/css-selector": "^3.4|^4.0|^5.0"
},
"suggest": {
"symfony/css-selector": ""
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "4.3-dev"
+ "dev-master": "4.4-dev"
}
},
"autoload": {
],
"description": "Symfony DomCrawler Component",
"homepage": "https://symfony.com",
- "time": "2019-10-28T17:07:32+00:00"
+ "time": "2020-01-04T13:00:46+00:00"
},
{
"name": "symfony/filesystem",
- "version": "v4.3.8",
+ "version": "v4.4.3",
"source": {
"type": "git",
"url": "https://github.com/symfony/filesystem.git",
- "reference": "9abbb7ef96a51f4d7e69627bc6f63307994e4263"
+ "reference": "266c9540b475f26122b61ef8b23dd9198f5d1cfd"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/symfony/filesystem/zipball/9abbb7ef96a51f4d7e69627bc6f63307994e4263",
- "reference": "9abbb7ef96a51f4d7e69627bc6f63307994e4263",
+ "url": "https://api.github.com/repos/symfony/filesystem/zipball/266c9540b475f26122b61ef8b23dd9198f5d1cfd",
+ "reference": "266c9540b475f26122b61ef8b23dd9198f5d1cfd",
"shasum": ""
},
"require": {
"type": "library",
"extra": {
"branch-alias": {
- "dev-master": "4.3-dev"
+ "dev-master": "4.4-dev"
}
},
"autoload": {
],
"description": "Symfony Filesystem Component",
"homepage": "https://symfony.com",
- "time": "2019-08-20T14:07:54+00:00"
+ "time": "2020-01-21T08:20:44+00:00"
},
{
"name": "theseer/fdomdocument",
},
{
"name": "webmozart/assert",
- "version": "1.5.0",
+ "version": "1.6.0",
"source": {
"type": "git",
"url": "https://github.com/webmozart/assert.git",
- "reference": "88e6d84706d09a236046d686bbea96f07b3a34f4"
+ "reference": "573381c0a64f155a0d9a23f4b0c797194805b925"
},
"dist": {
"type": "zip",
- "url": "https://api.github.com/repos/webmozart/assert/zipball/88e6d84706d09a236046d686bbea96f07b3a34f4",
- "reference": "88e6d84706d09a236046d686bbea96f07b3a34f4",
+ "url": "https://api.github.com/repos/webmozart/assert/zipball/573381c0a64f155a0d9a23f4b0c797194805b925",
+ "reference": "573381c0a64f155a0d9a23f4b0c797194805b925",
"shasum": ""
},
"require": {
"php": "^5.3.3 || ^7.0",
"symfony/polyfill-ctype": "^1.8"
},
+ "conflict": {
+ "vimeo/psalm": "<3.6.0"
+ },
"require-dev": {
"phpunit/phpunit": "^4.8.36 || ^7.5.13"
},
"type": "library",
- "extra": {
- "branch-alias": {
- "dev-master": "1.3-dev"
- }
- },
"autoload": {
"psr-4": {
"Webmozart\\Assert\\": "src/"
"check",
"validate"
],
- "time": "2019-08-24T08:43:50+00:00"
+ "time": "2019-11-24T13:36:37+00:00"
},
{
"name": "wnx/laravel-stats",
// Remove templates-manage permission
$templatesManagePermission = DB::table('role_permissions')
- ->where('name', '=', 'templates_manage')->first();
+ ->where('name', '=', 'templates-manage')->first();
DB::table('permission_role')->where('permission_id', '=', $templatesManagePermission->id)->delete();
- DB::table('role_permissions')->where('name', '=', 'templates_manage')->delete();
+ DB::table('role_permissions')->where('name', '=', 'templates-manage')->delete();
}
}
--- /dev/null
+<?php
+
+use Illuminate\Database\Migrations\Migration;
+use Illuminate\Database\Schema\Blueprint;
+use Illuminate\Support\Carbon;
+use Illuminate\Support\Facades\Schema;
+
+class AddApiAuth extends Migration
+{
+ /**
+ * Run the migrations.
+ *
+ * @return void
+ */
+ public function up()
+ {
+
+ // Add API tokens table
+ Schema::create('api_tokens', function(Blueprint $table) {
+ $table->increments('id');
+ $table->string('name');
+ $table->string('token_id')->unique();
+ $table->string('secret');
+ $table->integer('user_id')->unsigned()->index();
+ $table->date('expires_at')->index();
+ $table->nullableTimestamps();
+ });
+
+ // Add access-api permission
+ $adminRoleId = DB::table('roles')->where('system_name', '=', 'admin')->first()->id;
+ $permissionId = DB::table('role_permissions')->insertGetId([
+ 'name' => 'access-api',
+ 'display_name' => 'Access system API',
+ 'created_at' => Carbon::now()->toDateTimeString(),
+ 'updated_at' => Carbon::now()->toDateTimeString()
+ ]);
+ DB::table('permission_role')->insert([
+ 'role_id' => $adminRoleId,
+ 'permission_id' => $permissionId
+ ]);
+ }
+
+ /**
+ * Reverse the migrations.
+ *
+ * @return void
+ */
+ public function down()
+ {
+ // Remove API tokens table
+ Schema::dropIfExists('api_tokens');
+
+ // Remove access-api permission
+ $apiAccessPermission = DB::table('role_permissions')
+ ->where('name', '=', 'access-api')->first();
+
+ DB::table('permission_role')->where('permission_id', '=', $apiAccessPermission->id)->delete();
+ DB::table('role_permissions')->where('name', '=', 'access-api')->delete();
+ }
+}
<?php
+use BookStack\Api\ApiToken;
use BookStack\Auth\Permissions\PermissionService;
+use BookStack\Auth\Permissions\RolePermission;
use BookStack\Auth\Role;
use BookStack\Auth\User;
use BookStack\Entities\Bookshelf;
$shelves = factory(Bookshelf::class, 10)->create($byData);
$largeBook->shelves()->attach($shelves->pluck('id'));
+ // Assign API permission to editor role and create an API key
+ $apiPermission = RolePermission::getByName('access-api');
+ $editorRole->attachPermission($apiPermission);
+ $token = (new ApiToken())->forceFill([
+ 'user_id' => $editorUser->id,
+ 'name' => 'Testing API key',
+ 'expires_at' => ApiToken::defaultExpiry(),
+ 'secret' => Hash::make('password'),
+ 'token_id' => 'apitoken',
+ ]);
+ $token->save();
+
app(PermissionService::class)->buildJointPermissions();
app(SearchService::class)->indexAllEntities();
}
--- /dev/null
+{
+ "name": "My own book",
+ "description": "This is my own little book"
+}
\ No newline at end of file
--- /dev/null
+{
+ "name": "My updated book",
+ "description": "This is my book with updated details"
+}
\ No newline at end of file
--- /dev/null
+{
+ "name": "My new book",
+ "description": "This is a book created via the API",
+ "created_by": 1,
+ "updated_by": 1,
+ "slug": "my-new-book",
+ "updated_at": "2020-01-12 14:05:11",
+ "created_at": "2020-01-12 14:05:11",
+ "id": 15
+}
\ No newline at end of file
--- /dev/null
+{
+ "data": [
+ {
+ "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-05 21:48:46",
+ "updated_at": "2019-12-11 20:57:31",
+ "created_by": 1,
+ "updated_by": 1,
+ "image_id": 3
+ },
+ {
+ "id": 2,
+ "name": "Inventore inventore quia voluptatem.",
+ "slug": "inventore-inventore-quia-voluptatem",
+ "description": "Veniam nihil voluptas enim laborum corporis quos sint. Ab rerum voluptas ut iste voluptas magni quibusdam ut. Amet omnis enim voluptate neque facilis.",
+ "created_at": "2019-05-05 22:10:14",
+ "updated_at": "2019-12-11 20:57:23",
+ "created_by": 4,
+ "updated_by": 3,
+ "image_id": 34
+ }
+ ],
+ "total": 14
+}
\ No newline at end of file
--- /dev/null
+{
+ "id": 16,
+ "name": "My own book",
+ "slug": "my-own-book",
+ "description": "This is my own little book",
+ "created_at": "2020-01-12 14:09:59",
+ "updated_at": "2020-01-12 14:11:51",
+ "created_by": {
+ "id": 1,
+ "name": "Admin",
+ "created_at": "2019-05-05 21:15:13",
+ "updated_at": "2019-12-16 12:18:37",
+ "image_id": 48
+ },
+ "updated_by": {
+ "id": 1,
+ "name": "Admin",
+ "created_at": "2019-05-05 21:15:13",
+ "updated_at": "2019-12-16 12:18:37",
+ "image_id": 48
+ },
+ "image_id": 452,
+ "tags": [
+ {
+ "id": 13,
+ "entity_id": 16,
+ "entity_type": "BookStack\\Book",
+ "name": "Category",
+ "value": "Guide",
+ "order": 0,
+ "created_at": "2020-01-12 14:11:51",
+ "updated_at": "2020-01-12 14:11:51"
+ }
+ ],
+ "cover": {
+ "id": 452,
+ "name": "sjovall_m117hUWMu40.jpg",
+ "url": "https:\/\/p.rizon.top:443\/http\/bookstack.local\/uploads\/images\/cover_book\/2020-01\/sjovall_m117hUWMu40.jpg",
+ "created_at": "2020-01-12 14:11:51",
+ "updated_at": "2020-01-12 14:11:51",
+ "created_by": 1,
+ "updated_by": 1,
+ "path": "\/uploads\/images\/cover_book\/2020-01\/sjovall_m117hUWMu40.jpg",
+ "type": "cover_book",
+ "uploaded_to": 16
+ }
+}
\ No newline at end of file
--- /dev/null
+{
+ "id": 16,
+ "name": "My own book",
+ "slug": "my-own-book",
+ "description": "This is my own little book - updated",
+ "created_at": "2020-01-12 14:09:59",
+ "updated_at": "2020-01-12 14:16:10",
+ "created_by": 1,
+ "updated_by": 1,
+ "image_id": 452
+}
\ No newline at end of file
"dev": true
},
"acorn": {
- "version": "6.1.1",
- "resolved": "https://registry.npmjs.org/acorn/-/acorn-6.1.1.tgz",
- "integrity": "sha512-jPTiwtOxaHNaAPg/dmrJ/beuzLRnXtB0kQPQ8JpotKJgTB6rX6c8mlf315941pyjBSaPg8NHXS9fhP4u17DpGA==",
- "dev": true
- },
- "acorn-dynamic-import": {
- "version": "4.0.0",
- "resolved": "https://registry.npmjs.org/acorn-dynamic-import/-/acorn-dynamic-import-4.0.0.tgz",
- "integrity": "sha512-d3OEjQV4ROpoflsnUA8HozoIR504TFxNivYEUi6uwz0IYhBkTDXGuWlNdMtybRt3nqVx/L6XqMt0FxkXuWKZhw==",
+ "version": "6.4.1",
+ "resolved": "https://registry.npmjs.org/acorn/-/acorn-6.4.1.tgz",
+ "integrity": "sha512-ZVA9k326Nwrj3Cj9jlh3wGFutC2ZornPNARZwsNYqQYgN0EsV2d53w5RN/co65Ohn4sUAUtb1rSUAOD6XN9idA==",
"dev": true
},
"ajv": {
- "version": "6.10.0",
- "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.10.0.tgz",
- "integrity": "sha512-nffhOpkymDECQyR0mnsUtoCE8RlX38G0rYP+wgLWFyZuUyuuojSSvi/+euOiQBIn63whYwYVIIH1TvE3tu4OEg==",
+ "version": "6.10.2",
+ "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.10.2.tgz",
+ "integrity": "sha512-TXtUUEYHuaTEbLZWIKUr5pmBuhDLy+8KYtPYdcV8qC+pOZL+NKqYwvWSRrVXHn+ZmRRAu8vJTAznH7Oag6RVRw==",
"dev": true,
"requires": {
"fast-deep-equal": "^2.0.1",
}
},
"ajv-errors": {
- "version": "1.0.0",
- "resolved": "https://registry.npmjs.org/ajv-errors/-/ajv-errors-1.0.0.tgz",
- "integrity": "sha1-7PAh+hCP0X37Xms4Py3SM+Mf/Fk=",
+ "version": "1.0.1",
+ "resolved": "https://registry.npmjs.org/ajv-errors/-/ajv-errors-1.0.1.tgz",
+ "integrity": "sha512-DCRfO/4nQ+89p/RK43i8Ezd41EqdGIU4ld7nGF8OQ14oc/we5rEntLCUa7+jrn3nn83BosfwZA0wb4pon2o8iQ==",
"dev": true
},
"ajv-keywords": {
- "version": "3.1.0",
- "resolved": "https://registry.npmjs.org/ajv-keywords/-/ajv-keywords-3.1.0.tgz",
- "integrity": "sha1-rCsnk5xUPpXSwG5/f1wnvkqlQ74=",
+ "version": "3.4.1",
+ "resolved": "https://registry.npmjs.org/ajv-keywords/-/ajv-keywords-3.4.1.tgz",
+ "integrity": "sha512-RO1ibKvd27e6FEShVFfPALuHI3WjSVNeK5FIsmme/LYRNxjKuNj+Dt7bucLa6NdSv3JcVTyMlm9kGR84z1XpaQ==",
"dev": true
},
"amdefine": {
}
},
"anymatch": {
- "version": "2.0.0",
- "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-2.0.0.tgz",
- "integrity": "sha512-5teOsQWABXHHBFP9y3skS5P3d/WfWXpv3FUpy+LorMrNYaT9pI4oLMQX7jzQ2KklNpGpWHzdCXTDT2Y3XGlZBw==",
+ "version": "3.1.1",
+ "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.1.tgz",
+ "integrity": "sha512-mM8522psRCqzV+6LhomX5wgp25YVibjh8Wj23I5RPkPppSVSjyKD2A2mBJmWGa+KN7f2D6LNh9jkBCeyLktzjg==",
"dev": true,
"requires": {
- "micromatch": "^3.1.4",
- "normalize-path": "^2.1.1"
- },
- "dependencies": {
- "normalize-path": {
- "version": "2.1.1",
- "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-2.1.1.tgz",
- "integrity": "sha1-GrKLVW4Zg2Oowab35vogE3/mrtk=",
- "dev": true,
- "requires": {
- "remove-trailing-separator": "^1.0.1"
- }
- }
+ "normalize-path": "^3.0.0",
+ "picomatch": "^2.0.4"
}
},
"aproba": {
},
"util": {
"version": "0.10.3",
- "resolved": "http://registry.npmjs.org/util/-/util-0.10.3.tgz",
+ "resolved": "https://registry.npmjs.org/util/-/util-0.10.3.tgz",
"integrity": "sha1-evsa/lCAUkZInj23/g7TeTNqwPk=",
"dev": true,
"requires": {
"dev": true
},
"async-each": {
- "version": "1.0.1",
- "resolved": "https://registry.npmjs.org/async-each/-/async-each-1.0.1.tgz",
- "integrity": "sha1-GdOGodntxufByF04iu28xW0zYC0=",
+ "version": "1.0.3",
+ "resolved": "https://registry.npmjs.org/async-each/-/async-each-1.0.3.tgz",
+ "integrity": "sha512-z/WhQ5FPySLdvREByI2vZiTWwCnF0moMJ1hK9YQwDTHKh6I7/uSckMetoRGb5UBZPC1z0jlw+n/XCgjeH7y1AQ==",
"dev": true
},
"async-foreach": {
"integrity": "sha1-NhIfhFwFeBct5Bmpfb6x0W7DRUI=",
"dev": true
},
+ "async-limiter": {
+ "version": "1.0.1",
+ "resolved": "https://registry.npmjs.org/async-limiter/-/async-limiter-1.0.1.tgz",
+ "integrity": "sha512-csOlWGAcRFJaI6m+F2WKdnMKr4HhdhFVBk0H/QbJFMCr+uO2kwohwXQPxw/9OCxp05r5ghVBFSyioixx3gfkNQ==",
+ "dev": true
+ },
"asynckit": {
"version": "0.4.0",
"resolved": "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz",
"dev": true
},
"aws4": {
- "version": "1.8.0",
- "resolved": "https://registry.npmjs.org/aws4/-/aws4-1.8.0.tgz",
- "integrity": "sha512-ReZxvNHIOv88FlT7rxcXIIC0fPt4KZqZbOlivyWtXLt8ESx84zd3kMC6iK5jVeS2qt+g7ftS7ye4fi06X5rtRQ==",
+ "version": "1.9.1",
+ "resolved": "https://registry.npmjs.org/aws4/-/aws4-1.9.1.tgz",
+ "integrity": "sha512-wMHVg2EOHaMRxbzgFJ9gtjOOCrI80OHLG14rxi28XwOW8ux6IiEbRCGGGqCtdAIg4FQCbW20k9RsT4y3gJlFug==",
"dev": true
},
"balanced-match": {
"is-data-descriptor": "^1.0.0",
"kind-of": "^6.0.2"
}
- },
- "kind-of": {
- "version": "6.0.2",
- "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.2.tgz",
- "integrity": "sha512-s5kLOcnH0XqDO+FvuaLX8DDjZ18CGFk7VygH40QoKPUQhW4e2rvM0rwUq0t8IQDOwYSeLK01U90OjzBTme2QqA==",
- "dev": true
}
}
},
"base64-js": {
- "version": "1.3.0",
- "resolved": "https://registry.npmjs.org/base64-js/-/base64-js-1.3.0.tgz",
- "integrity": "sha512-ccav/yGvoa80BQDljCxsmmQ3Xvx60/UpBIij5QN21W3wBi/hhIC9OoO+KLpu9IJTS9j4DRVJ3aDDF9cMSoa2lw==",
+ "version": "1.3.1",
+ "resolved": "https://registry.npmjs.org/base64-js/-/base64-js-1.3.1.tgz",
+ "integrity": "sha512-mLQ4i2QO1ytvGWFWmcngKO//JXAQueZvwEKtjgQFM4jIK0kU+ytMfplL8j+n5mspOfjHwoAg+9yhb7BwAHm36g==",
"dev": true
},
"bcrypt-pbkdf": {
}
},
"big.js": {
- "version": "3.2.0",
- "resolved": "https://registry.npmjs.org/big.js/-/big.js-3.2.0.tgz",
- "integrity": "sha512-+hN/Zh2D08Mx65pZ/4g5bsmNiZUuChDiQfTUQ7qJr4/kuopCr88xZsAXv6mBoZEsUI4OuGHlX59qE94K2mMW8Q==",
+ "version": "5.2.2",
+ "resolved": "https://registry.npmjs.org/big.js/-/big.js-5.2.2.tgz",
+ "integrity": "sha512-vyL2OymJxmarO8gxMr0mhChsO9QGwhynfuu4+MHTAW6czfq9humCB7rKpUjDd9YUiDPU4mzpyupFSvOClAwbmQ==",
"dev": true
},
"binary-extensions": {
- "version": "1.10.0",
- "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-1.10.0.tgz",
- "integrity": "sha1-muuabF6IY4qtFx4Wf1kAq+JINdA=",
+ "version": "2.0.0",
+ "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.0.0.tgz",
+ "integrity": "sha512-Phlt0plgpIIBOGTT/ehfFnbNlfsDEiqmzE2KRXoX1bLIlir4X/MR+zSyBEkL05ffWgnRSf/DXv+WrUAVr93/ow==",
"dev": true
},
"block-stream": {
}
},
"bluebird": {
- "version": "3.5.5",
- "resolved": "https://registry.npmjs.org/bluebird/-/bluebird-3.5.5.tgz",
- "integrity": "sha512-5am6HnnfN+urzt4yfg7IgTbotDjIT/u8AJpEt0sIU9FtXfVeezXAPKswrG+xKUCOYAINpSdgZVDU6QFh+cuH3w==",
+ "version": "3.7.2",
+ "resolved": "https://registry.npmjs.org/bluebird/-/bluebird-3.7.2.tgz",
+ "integrity": "sha512-XpNj6GDQzdfW+r2Wnn7xiSAd7TM3jzkxGXBGTtWKuSXv1xUV+azxAm8jdWZN06QTQk+2N2XB9jRDkvbmQmcRtg==",
"dev": true
},
"bn.js": {
}
},
"braces": {
- "version": "2.3.2",
- "resolved": "https://registry.npmjs.org/braces/-/braces-2.3.2.tgz",
- "integrity": "sha512-aNdbnj9P8PjdXU4ybaWLK2IF3jc/EoDYbC7AazW6to3TRsfXxscC9UXOB5iDiEQrkyIbWp2SLQda4+QAa7nc3w==",
+ "version": "3.0.2",
+ "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.2.tgz",
+ "integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==",
"dev": true,
"requires": {
- "arr-flatten": "^1.1.0",
- "array-unique": "^0.3.2",
- "extend-shallow": "^2.0.1",
- "fill-range": "^4.0.0",
- "isobject": "^3.0.1",
- "repeat-element": "^1.1.2",
- "snapdragon": "^0.8.1",
- "snapdragon-node": "^2.0.1",
- "split-string": "^3.0.2",
- "to-regex": "^3.0.1"
- },
- "dependencies": {
- "extend-shallow": {
- "version": "2.0.1",
- "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz",
- "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=",
- "dev": true,
- "requires": {
- "is-extendable": "^0.1.0"
- }
- }
+ "fill-range": "^7.0.1"
}
},
"brorand": {
},
"browserify-aes": {
"version": "1.2.0",
- "resolved": "http://registry.npmjs.org/browserify-aes/-/browserify-aes-1.2.0.tgz",
+ "resolved": "https://registry.npmjs.org/browserify-aes/-/browserify-aes-1.2.0.tgz",
"integrity": "sha512-+7CHXqGuspUn/Sl5aO7Ea0xWGAtETPXNSAjHo48JfLdPWcMng33Xe4znFvQweqc/uzk5zSOI3H52CYnjCfb5hA==",
"dev": true,
"requires": {
"des.js": "^1.0.0",
"inherits": "^2.0.1",
"safe-buffer": "^5.1.2"
- },
- "dependencies": {
- "safe-buffer": {
- "version": "5.1.2",
- "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz",
- "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==",
- "dev": true
- }
}
},
"browserify-rsa": {
"version": "4.0.1",
- "resolved": "http://registry.npmjs.org/browserify-rsa/-/browserify-rsa-4.0.1.tgz",
+ "resolved": "https://registry.npmjs.org/browserify-rsa/-/browserify-rsa-4.0.1.tgz",
"integrity": "sha1-IeCr+vbyApzy+vsTNWenAdQTVSQ=",
"dev": true,
"requires": {
}
},
"buffer": {
- "version": "4.9.1",
- "resolved": "http://registry.npmjs.org/buffer/-/buffer-4.9.1.tgz",
- "integrity": "sha1-bRu2AbB6TvztlwlBMgkwJ8lbwpg=",
+ "version": "4.9.2",
+ "resolved": "https://registry.npmjs.org/buffer/-/buffer-4.9.2.tgz",
+ "integrity": "sha512-xq+q3SRMOxGivLhBNaUdC64hDTQwejJ+H0T/NB1XMtTVEwNTrfFF3gAxiyW0Bu/xWEGhjVKgUcMhCrUy2+uCWg==",
"dev": true,
"requires": {
"base64-js": "^1.0.2",
"dev": true
},
"cacache": {
- "version": "11.3.2",
- "resolved": "https://registry.npmjs.org/cacache/-/cacache-11.3.2.tgz",
- "integrity": "sha512-E0zP4EPGDOaT2chM08Als91eYnf8Z+eH1awwwVsngUmgppfM5jjJ8l3z5vO5p5w/I3LsiXawb1sW0VY65pQABg==",
+ "version": "12.0.3",
+ "resolved": "https://registry.npmjs.org/cacache/-/cacache-12.0.3.tgz",
+ "integrity": "sha512-kqdmfXEGFepesTuROHMs3MpFLWrPkSSpRqOw80RCflZXy/khxaArvFrQ7uJxSUduzAufc6G0g1VUCOZXxWavPw==",
"dev": true,
"requires": {
- "bluebird": "^3.5.3",
+ "bluebird": "^3.5.5",
"chownr": "^1.1.1",
"figgy-pudding": "^3.5.1",
- "glob": "^7.1.3",
+ "glob": "^7.1.4",
"graceful-fs": "^4.1.15",
+ "infer-owner": "^1.0.3",
"lru-cache": "^5.1.1",
"mississippi": "^3.0.0",
"mkdirp": "^0.5.1",
"move-concurrently": "^1.0.1",
"promise-inflight": "^1.0.1",
- "rimraf": "^2.6.2",
+ "rimraf": "^2.6.3",
"ssri": "^6.0.1",
"unique-filename": "^1.1.1",
"y18n": "^4.0.0"
},
"dependencies": {
"graceful-fs": {
- "version": "4.1.15",
- "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.1.15.tgz",
- "integrity": "sha512-6uHUhOPEBgQ24HM+r6b/QwWfZq+yiFcipKFrOFiBEnWdy5sdzYoi+pJeQaPI5qOLRFqWmAXUPQNsielzdLoecA==",
+ "version": "4.2.3",
+ "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.2.3.tgz",
+ "integrity": "sha512-a30VEBm4PEdx1dRB7MFK7BejejvCvBronbLjht+sHuGYj8PHs7M/5Z+rt5lw551vZ7yfTCj4Vuyy3mSJytDWRQ==",
"dev": true
},
"lru-cache": {
"dev": true
},
"yallist": {
- "version": "3.0.3",
- "resolved": "https://registry.npmjs.org/yallist/-/yallist-3.0.3.tgz",
- "integrity": "sha512-S+Zk8DEWE6oKpV+vI3qWkaK+jSbIK86pCwe2IF/xwIpQ8jEuxpw9NyaGjmp9+BoJv5FV2piqCDcoCtStppiq2A==",
+ "version": "3.1.1",
+ "resolved": "https://registry.npmjs.org/yallist/-/yallist-3.1.1.tgz",
+ "integrity": "sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==",
"dev": true
}
}
}
},
"chokidar": {
- "version": "2.1.6",
- "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-2.1.6.tgz",
- "integrity": "sha512-V2jUo67OKkc6ySiRpJrjlpJKl9kDuG+Xb8VgsGzb+aEouhgS1D0weyPU4lEzdAcsCAvrih2J2BqyXqHWvVLw5g==",
+ "version": "3.3.1",
+ "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.3.1.tgz",
+ "integrity": "sha512-4QYCEWOcK3OJrxwvyyAOxFuhpvOVCYkr33LPfFNBjAD/w3sEzWsp2BUOkI4l9bHvWioAd0rc6NlHUOEaWkTeqg==",
"dev": true,
"requires": {
- "anymatch": "^2.0.0",
- "async-each": "^1.0.1",
- "braces": "^2.3.2",
- "fsevents": "^1.2.7",
- "glob-parent": "^3.1.0",
- "inherits": "^2.0.3",
- "is-binary-path": "^1.0.0",
- "is-glob": "^4.0.0",
- "normalize-path": "^3.0.0",
- "path-is-absolute": "^1.0.0",
- "readdirp": "^2.2.1",
- "upath": "^1.1.1"
+ "anymatch": "~3.1.1",
+ "braces": "~3.0.2",
+ "fsevents": "~2.1.2",
+ "glob-parent": "~5.1.0",
+ "is-binary-path": "~2.1.0",
+ "is-glob": "~4.0.1",
+ "normalize-path": "~3.0.0",
+ "readdirp": "~3.3.0"
}
},
"chownr": {
- "version": "1.1.1",
- "resolved": "https://registry.npmjs.org/chownr/-/chownr-1.1.1.tgz",
- "integrity": "sha512-j38EvO5+LHX84jlo6h4UzmOwi0UgW61WRyPtJz4qaadK5eY3BTS5TY/S1Stc3Uk2lIM6TPevAlULiEJwie860g==",
+ "version": "1.1.4",
+ "resolved": "https://registry.npmjs.org/chownr/-/chownr-1.1.4.tgz",
+ "integrity": "sha512-jJ0bqzaylmJtVnNgzTeSOs8DPavpbYgEr/b0YL8/2GO3xJEhInFmhKMUnEJQjZumK7KXGFhUy89PrsJWlakBVg==",
"dev": true
},
"chrome-trace-event": {
}
},
"clipboard": {
- "version": "2.0.4",
- "resolved": "https://registry.npmjs.org/clipboard/-/clipboard-2.0.4.tgz",
- "integrity": "sha512-Vw26VSLRpJfBofiVaFb/I8PVfdI1OxKcYShe6fm0sP/DtmiWQNCjhM/okTvdCo0G+lMMm1rMYbk4IK4x1X+kgQ==",
+ "version": "2.0.6",
+ "resolved": "https://registry.npmjs.org/clipboard/-/clipboard-2.0.6.tgz",
+ "integrity": "sha512-g5zbiixBRk/wyKakSwCKd7vQXDjFnAMGHoEyBogG/bw9kTD9GvdAvaoRR1ALcEzt3pVKxZR0pViekPMIS0QyGg==",
"requires": {
"good-listener": "^1.2.2",
"select": "^1.1.2",
}
},
"clone-deep": {
- "version": "2.0.2",
- "resolved": "https://registry.npmjs.org/clone-deep/-/clone-deep-2.0.2.tgz",
- "integrity": "sha512-SZegPTKjCgpQH63E+eN6mVEEPdQBOUzjyJm5Pora4lrwWRFS8I0QAxV/KD6vV/i0WuijHZWQC1fMsPEdxfdVCQ==",
+ "version": "4.0.1",
+ "resolved": "https://registry.npmjs.org/clone-deep/-/clone-deep-4.0.1.tgz",
+ "integrity": "sha512-neHB9xuzh/wk0dIHweyAXv2aPGZIVk3pLMe+/RNzINf17fe0OG96QroktYAUm7SM1PBnzTabaLboqqxDyMU+SQ==",
"dev": true,
"requires": {
- "for-own": "^1.0.0",
"is-plain-object": "^2.0.4",
- "kind-of": "^6.0.0",
- "shallow-clone": "^1.0.0"
- },
- "dependencies": {
- "kind-of": {
- "version": "6.0.2",
- "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.2.tgz",
- "integrity": "sha512-s5kLOcnH0XqDO+FvuaLX8DDjZ18CGFk7VygH40QoKPUQhW4e2rvM0rwUq0t8IQDOwYSeLK01U90OjzBTme2QqA==",
- "dev": true
- }
+ "kind-of": "^6.0.2",
+ "shallow-clone": "^3.0.0"
}
},
"code-point-at": {
"dev": true
},
"codemirror": {
- "version": "5.47.0",
- "resolved": "https://registry.npmjs.org/codemirror/-/codemirror-5.47.0.tgz",
- "integrity": "sha512-kV49Fr+NGFHFc/Imsx6g180hSlkGhuHxTSDDmDHOuyln0MQYFLixDY4+bFkBVeCEiepYfDimAF/e++9jPJk4QA=="
+ "version": "5.52.0",
+ "resolved": "https://registry.npmjs.org/codemirror/-/codemirror-5.52.0.tgz",
+ "integrity": "sha512-K2UB6zjscrfME03HeRe/IuOmCeqNpw7PLKGHThYpLbZEuKf+ZoujJPhxZN4hHJS1O7QyzEsV7JJZGxuQWVaFCg=="
},
"collection-visit": {
"version": "1.0.0",
}
},
"commander": {
- "version": "2.20.0",
- "resolved": "https://registry.npmjs.org/commander/-/commander-2.20.0.tgz",
- "integrity": "sha512-7j2y+40w61zy6YC2iRNpUe/NwhNyoXrYpHMrSunaMG64nRnaf96zO/KMQR4OyN/UnE5KLyEBnKHd4aG3rskjpQ==",
+ "version": "2.20.3",
+ "resolved": "https://registry.npmjs.org/commander/-/commander-2.20.3.tgz",
+ "integrity": "sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ==",
"dev": true
},
"commondir": {
}
},
"console-browserify": {
- "version": "1.1.0",
- "resolved": "https://registry.npmjs.org/console-browserify/-/console-browserify-1.1.0.tgz",
- "integrity": "sha1-8CQcRXMKn8YyOyBtvzjtx0HQuxA=",
- "dev": true,
- "requires": {
- "date-now": "^0.1.4"
- }
+ "version": "1.2.0",
+ "resolved": "https://registry.npmjs.org/console-browserify/-/console-browserify-1.2.0.tgz",
+ "integrity": "sha512-ZMkYO/LkF17QvCPqM0gxw8yUzigAOZOSWSHg91FH6orS7vcEj5dVZTidN2fQ14yBSdg97RqhSNwLUXInd52OTA==",
+ "dev": true
},
"console-control-strings": {
"version": "1.1.0",
},
"create-hash": {
"version": "1.2.0",
- "resolved": "http://registry.npmjs.org/create-hash/-/create-hash-1.2.0.tgz",
+ "resolved": "https://registry.npmjs.org/create-hash/-/create-hash-1.2.0.tgz",
"integrity": "sha512-z00bCGNHDG8mHAkP7CtT1qVu+bFQUPjYq/4Iv3C3kWjTFV10zIjfSoeqXo9Asws8gwSHDGj/hl2u4OGIjapeCg==",
"dev": true,
"requires": {
},
"create-hmac": {
"version": "1.1.7",
- "resolved": "http://registry.npmjs.org/create-hmac/-/create-hmac-1.1.7.tgz",
+ "resolved": "https://registry.npmjs.org/create-hmac/-/create-hmac-1.1.7.tgz",
"integrity": "sha512-MJG9liiZ+ogc4TzUwuvbER1JRdgvUFSB5+VR/g5h82fGaIRWMWddtKBHi7/sVhfjQZ6SehlyhvQYrcYkaUIpLg==",
"dev": true,
"requires": {
}
},
"css-loader": {
- "version": "2.1.1",
- "resolved": "https://registry.npmjs.org/css-loader/-/css-loader-2.1.1.tgz",
- "integrity": "sha512-OcKJU/lt232vl1P9EEDamhoO9iKY3tIjY5GU+XDLblAykTdgs6Ux9P1hTHve8nFKy5KPpOXOsVI/hIwi3841+w==",
+ "version": "3.4.2",
+ "resolved": "https://registry.npmjs.org/css-loader/-/css-loader-3.4.2.tgz",
+ "integrity": "sha512-jYq4zdZT0oS0Iykt+fqnzVLRIeiPWhka+7BqPn+oSIpWJAHak5tmB/WZrJ2a21JhCeFyNnnlroSl8c+MtVndzA==",
"dev": true,
"requires": {
- "camelcase": "^5.2.0",
- "icss-utils": "^4.1.0",
+ "camelcase": "^5.3.1",
+ "cssesc": "^3.0.0",
+ "icss-utils": "^4.1.1",
"loader-utils": "^1.2.3",
"normalize-path": "^3.0.0",
- "postcss": "^7.0.14",
+ "postcss": "^7.0.23",
"postcss-modules-extract-imports": "^2.0.0",
- "postcss-modules-local-by-default": "^2.0.6",
- "postcss-modules-scope": "^2.1.0",
- "postcss-modules-values": "^2.0.0",
- "postcss-value-parser": "^3.3.0",
- "schema-utils": "^1.0.0"
- },
- "dependencies": {
- "big.js": {
- "version": "5.2.2",
- "resolved": "https://registry.npmjs.org/big.js/-/big.js-5.2.2.tgz",
- "integrity": "sha512-vyL2OymJxmarO8gxMr0mhChsO9QGwhynfuu4+MHTAW6czfq9humCB7rKpUjDd9YUiDPU4mzpyupFSvOClAwbmQ==",
- "dev": true
- },
- "json5": {
- "version": "1.0.1",
- "resolved": "https://registry.npmjs.org/json5/-/json5-1.0.1.tgz",
- "integrity": "sha512-aKS4WQjPenRxiQsC93MNfjx+nbF4PAdYzmd/1JIj8HYzqfbu86beTuNgXDzPknWk0n0uARlyewZo4s++ES36Ow==",
- "dev": true,
- "requires": {
- "minimist": "^1.2.0"
- }
- },
- "loader-utils": {
- "version": "1.2.3",
- "resolved": "https://registry.npmjs.org/loader-utils/-/loader-utils-1.2.3.tgz",
- "integrity": "sha512-fkpz8ejdnEMG3s37wGL07iSBDg99O9D5yflE9RGNH3hRdx9SOwYfnGYdZOUIZitN8E+E2vkq3MUMYMvPYl5ZZA==",
- "dev": true,
- "requires": {
- "big.js": "^5.2.2",
- "emojis-list": "^2.0.0",
- "json5": "^1.0.1"
- }
- },
- "minimist": {
- "version": "1.2.0",
- "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.0.tgz",
- "integrity": "sha1-o1AIsg9BOD7sH7kU9M1d95omQoQ=",
- "dev": true
- }
+ "postcss-modules-local-by-default": "^3.0.2",
+ "postcss-modules-scope": "^2.1.1",
+ "postcss-modules-values": "^3.0.0",
+ "postcss-value-parser": "^4.0.2",
+ "schema-utils": "^2.6.0"
}
},
"cssesc": {
}
},
"cyclist": {
- "version": "0.2.2",
- "resolved": "https://registry.npmjs.org/cyclist/-/cyclist-0.2.2.tgz",
- "integrity": "sha1-GzN5LhHpFKL9bW7WRHRkRE5fpkA=",
+ "version": "1.0.1",
+ "resolved": "https://registry.npmjs.org/cyclist/-/cyclist-1.0.1.tgz",
+ "integrity": "sha1-WW6WmP0MgOEgOMK4LW6xs1tiJNk=",
"dev": true
},
"dashdash": {
"assert-plus": "^1.0.0"
}
},
- "date-now": {
- "version": "0.1.4",
- "resolved": "https://registry.npmjs.org/date-now/-/date-now-0.1.4.tgz",
- "integrity": "sha1-6vQ5/U1ISK105cx9vvIAZyueNFs=",
- "dev": true
- },
"debug": {
"version": "2.6.9",
"resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz",
"is-data-descriptor": "^1.0.0",
"kind-of": "^6.0.2"
}
- },
- "kind-of": {
- "version": "6.0.2",
- "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.2.tgz",
- "integrity": "sha512-s5kLOcnH0XqDO+FvuaLX8DDjZ18CGFk7VygH40QoKPUQhW4e2rvM0rwUq0t8IQDOwYSeLK01U90OjzBTme2QqA==",
- "dev": true
}
}
},
"dev": true
},
"des.js": {
- "version": "1.0.0",
- "resolved": "https://registry.npmjs.org/des.js/-/des.js-1.0.0.tgz",
- "integrity": "sha1-wHTS4qpqipoH29YfmhXCzYPsjsw=",
+ "version": "1.0.1",
+ "resolved": "https://registry.npmjs.org/des.js/-/des.js-1.0.1.tgz",
+ "integrity": "sha512-Q0I4pfFrv2VPd34/vfLrFOoRmlYj3OV50i7fskps1jZWK1kApMWWT9G6RRUeYedLcBDIhnSDaUvJMb3AhUlaEA==",
"dev": true,
"requires": {
"inherits": "^2.0.1",
},
"diffie-hellman": {
"version": "5.0.3",
- "resolved": "http://registry.npmjs.org/diffie-hellman/-/diffie-hellman-5.0.3.tgz",
+ "resolved": "https://registry.npmjs.org/diffie-hellman/-/diffie-hellman-5.0.3.tgz",
"integrity": "sha512-kqag/Nl+f3GwyK25fhUMYj81BUOrZ9IuJsjIcDE5icNM9FJHAVm3VcUDxdLPoQtTuUylWm6ZIknYJwwaPxsUzg==",
"dev": true,
"requires": {
"dev": true
},
"dropzone": {
- "version": "5.5.1",
- "resolved": "https://registry.npmjs.org/dropzone/-/dropzone-5.5.1.tgz",
- "integrity": "sha512-3VduRWLxx9hbVr42QieQN25mx/I61/mRdUSuxAmDGdDqZIN8qtP7tcKMa3KfpJjuGjOJGYYUzzeq6eGDnkzesA=="
+ "version": "5.7.0",
+ "resolved": "https://registry.npmjs.org/dropzone/-/dropzone-5.7.0.tgz",
+ "integrity": "sha512-kOltiZXH5cO/72I22JjE+w6BoT6uaVLfWdFMsi1PMKFkU6BZWpqRwjnsRm0o6ANGTBuZar5Piu7m/CbKqRPiYg=="
},
"duplexify": {
"version": "3.7.1",
}
},
"elliptic": {
- "version": "6.4.1",
- "resolved": "https://registry.npmjs.org/elliptic/-/elliptic-6.4.1.tgz",
- "integrity": "sha512-BsXLz5sqX8OHcsh7CqBMztyXARmGQ3LWPtGjJi6DiJHq5C/qvi9P3OqgswKSDftbu8+IoI/QDTAm2fFnQ9SZSQ==",
+ "version": "6.5.2",
+ "resolved": "https://registry.npmjs.org/elliptic/-/elliptic-6.5.2.tgz",
+ "integrity": "sha512-f4x70okzZbIQl/NSRLkI/+tteV/9WqL98zx+SQ69KbXxmVrmjwsNUPn/gYJJ0sHvEak24cZgHIPegRePAtA/xw==",
"dev": true,
"requires": {
"bn.js": "^4.4.0",
"minimalistic-crypto-utils": "^1.0.0"
}
},
+ "emoji-regex": {
+ "version": "7.0.3",
+ "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-7.0.3.tgz",
+ "integrity": "sha512-CwBLREIQ7LvYFB0WyRvwhq5N5qPhc6PMjD6bYggFlI5YyDgl+0vxq5VHbMOFqLg7hfWzmu8T5Z1QofhmTIhItA==",
+ "dev": true
+ },
"emojis-list": {
"version": "2.1.0",
"resolved": "https://registry.npmjs.org/emojis-list/-/emojis-list-2.1.0.tgz",
"dev": true
},
"end-of-stream": {
- "version": "1.4.1",
- "resolved": "https://registry.npmjs.org/end-of-stream/-/end-of-stream-1.4.1.tgz",
- "integrity": "sha512-1MkrZNvWTKCaigbn+W15elq2BB/L22nqrSY5DKlo3X6+vclJm8Bb5djXJBmEX6fS3+zCh/F4VBK5Z2KxJt4s2Q==",
+ "version": "1.4.4",
+ "resolved": "https://registry.npmjs.org/end-of-stream/-/end-of-stream-1.4.4.tgz",
+ "integrity": "sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==",
"dev": true,
"requires": {
"once": "^1.4.0"
}
},
"enhanced-resolve": {
- "version": "4.1.0",
- "resolved": "https://registry.npmjs.org/enhanced-resolve/-/enhanced-resolve-4.1.0.tgz",
- "integrity": "sha512-F/7vkyTtyc/llOIn8oWclcB25KdRaiPBpZYDgJHgh/UHtpgT2p2eldQgtQnLtUvfMKPKxbRaQM/hHkvLHt1Vng==",
+ "version": "4.1.1",
+ "resolved": "https://registry.npmjs.org/enhanced-resolve/-/enhanced-resolve-4.1.1.tgz",
+ "integrity": "sha512-98p2zE+rL7/g/DzMHMTF4zZlCgeVdJ7yr6xzEpJRYwFYrGi9ANdn5DnJURg6RpBkyk60XYDnWIv51VfIhfNGuA==",
"dev": true,
"requires": {
"graceful-fs": "^4.1.2",
- "memory-fs": "^0.4.0",
+ "memory-fs": "^0.5.0",
"tapable": "^1.0.0"
+ },
+ "dependencies": {
+ "memory-fs": {
+ "version": "0.5.0",
+ "resolved": "https://registry.npmjs.org/memory-fs/-/memory-fs-0.5.0.tgz",
+ "integrity": "sha512-jA0rdU5KoQMC0e6ppoNRtpp6vjFq6+NY7r8hywnC7V+1Xj/MtHwGIbB1QaK/dunyjWteJzmkpd7ooeWg10T7GA==",
+ "dev": true,
+ "requires": {
+ "errno": "^0.1.3",
+ "readable-stream": "^2.0.1"
+ }
+ }
}
},
"entities": {
- "version": "1.1.2",
- "resolved": "https://registry.npmjs.org/entities/-/entities-1.1.2.tgz",
- "integrity": "sha512-f2LZMYl1Fzu7YSBKg+RoROelpOaNrcGmE9AZubeDfrCEia483oW4MI4VyFd5VNHIgQ/7qm1I0wUHK1eJnn2y2w=="
+ "version": "2.0.0",
+ "resolved": "https://registry.npmjs.org/entities/-/entities-2.0.0.tgz",
+ "integrity": "sha512-D9f7V0JSRwIxlRI2mjMqufDrRDnx8p+eEOz7aUM9SuvF8gsBzra0/6tbjl1m8eQHrZlYj6PxqE00hZ1SAIKPLw=="
},
"errno": {
"version": "0.1.7",
}
},
"estraverse": {
- "version": "4.2.0",
- "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-4.2.0.tgz",
- "integrity": "sha1-De4/7TH81GlhjOc0IJn8GvoL2xM=",
+ "version": "4.3.0",
+ "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-4.3.0.tgz",
+ "integrity": "sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==",
"dev": true
},
"events": {
- "version": "3.0.0",
- "resolved": "https://registry.npmjs.org/events/-/events-3.0.0.tgz",
- "integrity": "sha512-Dc381HFWJzEOhQ+d8pkNon++bk9h6cdAoAj4iE6Q4y6xgTzySWXlKn05/TVNpjnfRqi/X0EpJEJohPjNI3zpVA==",
+ "version": "3.1.0",
+ "resolved": "https://registry.npmjs.org/events/-/events-3.1.0.tgz",
+ "integrity": "sha512-Rv+u8MLHNOdMjTAFeT3nCjHn2aGlx435FP/sDHNaRhDEMwyI/aB22Kj2qIN8R0cw3z28psEQLYwxVKLsKrMgWg==",
"dev": true
},
"evp_bytestokey": {
"is-data-descriptor": "^1.0.0",
"kind-of": "^6.0.2"
}
- },
- "kind-of": {
- "version": "6.0.2",
- "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.2.tgz",
- "integrity": "sha512-s5kLOcnH0XqDO+FvuaLX8DDjZ18CGFk7VygH40QoKPUQhW4e2rvM0rwUq0t8IQDOwYSeLK01U90OjzBTme2QqA==",
- "dev": true
}
}
},
"dev": true
},
"fast-json-stable-stringify": {
- "version": "2.0.0",
- "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.0.0.tgz",
- "integrity": "sha1-1RQsDK7msRifh9OnYREGT4bIu/I=",
+ "version": "2.1.0",
+ "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz",
+ "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==",
"dev": true
},
"figgy-pudding": {
"dev": true
},
"fill-range": {
- "version": "4.0.0",
- "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-4.0.0.tgz",
- "integrity": "sha1-1USBHUKPmOsGpj3EAtJAPDKMOPc=",
+ "version": "7.0.1",
+ "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz",
+ "integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==",
"dev": true,
"requires": {
- "extend-shallow": "^2.0.1",
- "is-number": "^3.0.0",
- "repeat-string": "^1.6.1",
- "to-regex-range": "^2.1.0"
- },
- "dependencies": {
- "extend-shallow": {
- "version": "2.0.1",
- "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz",
- "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=",
- "dev": true,
- "requires": {
- "is-extendable": "^0.1.0"
- }
- }
+ "to-regex-range": "^5.0.1"
}
},
"find-cache-dir": {
}
},
"find-up": {
- "version": "3.0.0",
- "resolved": "https://registry.npmjs.org/find-up/-/find-up-3.0.0.tgz",
- "integrity": "sha512-1yD6RmLI1XBfxugvORwlck6f75tYL+iR0jqwsOrOxMZyGYqUuDhJ0l4AXdO1iX/FTs9cBAMEk1gWSEx1kSbylg==",
+ "version": "1.1.2",
+ "resolved": "https://registry.npmjs.org/find-up/-/find-up-1.1.2.tgz",
+ "integrity": "sha1-ay6YIrGizgpgq2TWEOzK1TyyTQ8=",
"dev": true,
"requires": {
- "locate-path": "^3.0.0"
+ "path-exists": "^2.0.0",
+ "pinkie-promise": "^2.0.0"
}
},
"findup-sync": {
- "version": "2.0.0",
- "resolved": "https://registry.npmjs.org/findup-sync/-/findup-sync-2.0.0.tgz",
- "integrity": "sha1-kyaxSIwi0aYIhlCoaQGy2akKLLw=",
+ "version": "3.0.0",
+ "resolved": "https://registry.npmjs.org/findup-sync/-/findup-sync-3.0.0.tgz",
+ "integrity": "sha512-YbffarhcicEhOrm4CtrwdKBdCuz576RLdhJDsIfvNtxUuhdRet1qZcsMjqbePtAseKdAnDyM/IyXbu7PRPRLYg==",
"dev": true,
"requires": {
"detect-file": "^1.0.0",
- "is-glob": "^3.1.0",
+ "is-glob": "^4.0.0",
"micromatch": "^3.0.4",
"resolve-dir": "^1.0.1"
- },
- "dependencies": {
- "is-accessor-descriptor": {
- "version": "1.0.0",
- "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-1.0.0.tgz",
- "integrity": "sha512-m5hnHTkcVsPfqx3AKlyttIPb7J+XykHvJP2B9bZDjlhLIoEq4XoK64Vg7boZlVWYK6LUY94dYPEE7Lh0ZkZKcQ==",
- "requires": {
- "kind-of": "^6.0.0"
- }
- },
- "is-data-descriptor": {
- "version": "1.0.0",
- "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-1.0.0.tgz",
- "integrity": "sha512-jbRXy1FmtAoCjQkVmIVYwuuqDFUbaOeDjmed1tOGPrsMhtJA4rD9tkgA0F1qJ3gRFRXcHYVkdeaP50Q5rE/jLQ==",
- "requires": {
- "kind-of": "^6.0.0"
- }
- },
- "is-descriptor": {
- "version": "1.0.2",
- "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-1.0.2.tgz",
- "integrity": "sha512-2eis5WqQGV7peooDyLmNEPUrps9+SXX5c9pL3xEB+4e9HnGuDa7mB7kHxHw4CbqS9k1T2hOH3miL8n8WtiYVtg==",
- "requires": {
- "is-accessor-descriptor": "^1.0.0",
- "is-data-descriptor": "^1.0.0",
- "kind-of": "^6.0.2"
- }
- },
- "is-glob": {
- "version": "3.1.0",
- "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-3.1.0.tgz",
- "integrity": "sha1-e6WuJCF4BKxwcHuWkiVnSGzD6Eo=",
- "dev": true,
- "requires": {
- "is-extglob": "^2.1.0"
- }
- },
- "kind-of": {
- "version": "6.0.2",
- "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.2.tgz",
- "integrity": "sha512-s5kLOcnH0XqDO+FvuaLX8DDjZ18CGFk7VygH40QoKPUQhW4e2rvM0rwUq0t8IQDOwYSeLK01U90OjzBTme2QqA=="
- }
}
},
"flush-write-stream": {
"requires": {
"inherits": "^2.0.3",
"readable-stream": "^2.3.6"
- },
- "dependencies": {
- "process-nextick-args": {
- "version": "2.0.0",
- "resolved": "https://registry.npmjs.org/process-nextick-args/-/process-nextick-args-2.0.0.tgz",
- "integrity": "sha512-MtEC1TqN0EU5nephaJ4rAtThHtC86dNN9qCuEhtshvpVBkAW5ZO7BASN9REnF9eoXGcRub+pFuKEpOHE+HbEMw==",
- "dev": true
- },
- "readable-stream": {
- "version": "2.3.6",
- "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-2.3.6.tgz",
- "integrity": "sha512-tQtKA9WIAhBF3+VLAseyMqZeBjW0AHJoxOtYqSUZNJxauErmLbVm2FW1y+J/YA9dUrAC39ITejlZWhVIwawkKw==",
- "dev": true,
- "requires": {
- "core-util-is": "~1.0.0",
- "inherits": "~2.0.3",
- "isarray": "~1.0.0",
- "process-nextick-args": "~2.0.0",
- "safe-buffer": "~5.1.1",
- "string_decoder": "~1.1.1",
- "util-deprecate": "~1.0.1"
- }
- },
- "string_decoder": {
- "version": "1.1.1",
- "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.1.1.tgz",
- "integrity": "sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg==",
- "dev": true,
- "requires": {
- "safe-buffer": "~5.1.0"
- }
- }
}
},
"for-in": {
"integrity": "sha1-gQaNKVqBQuwKxybG4iAMMPttXoA=",
"dev": true
},
- "for-own": {
- "version": "1.0.0",
- "resolved": "https://registry.npmjs.org/for-own/-/for-own-1.0.0.tgz",
- "integrity": "sha1-xjMy9BXO3EsE2/5wz4NklMU8tEs=",
- "dev": true,
- "requires": {
- "for-in": "^1.0.1"
- }
- },
"forever-agent": {
"version": "0.6.1",
"resolved": "https://registry.npmjs.org/forever-agent/-/forever-agent-0.6.1.tgz",
"dev": true
},
"fsevents": {
- "version": "1.2.9",
- "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-1.2.9.tgz",
- "integrity": "sha512-oeyj2H3EjjonWcFjD5NvZNE9Rqe4UW+nQBU2HNeKw0koVLEFIhtyETyAakeAM3de7Z/SW5kcA+fZUait9EApnw==",
- "dev": true,
- "optional": true,
- "requires": {
- "nan": "^2.12.1",
- "node-pre-gyp": "^0.12.0"
- },
- "dependencies": {
- "abbrev": {
- "version": "1.1.1",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "ansi-regex": {
- "version": "2.1.1",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "aproba": {
- "version": "1.2.0",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "are-we-there-yet": {
- "version": "1.1.5",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "delegates": "^1.0.0",
- "readable-stream": "^2.0.6"
- }
- },
- "balanced-match": {
- "version": "1.0.0",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "brace-expansion": {
- "version": "1.1.11",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "balanced-match": "^1.0.0",
- "concat-map": "0.0.1"
- }
- },
- "chownr": {
- "version": "1.1.1",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "code-point-at": {
- "version": "1.1.0",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "concat-map": {
- "version": "0.0.1",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "console-control-strings": {
- "version": "1.1.0",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "core-util-is": {
- "version": "1.0.2",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "debug": {
- "version": "4.1.1",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "ms": "^2.1.1"
- }
- },
- "deep-extend": {
- "version": "0.6.0",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "delegates": {
- "version": "1.0.0",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "detect-libc": {
- "version": "1.0.3",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "fs-minipass": {
- "version": "1.2.5",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "minipass": "^2.2.1"
- }
- },
- "fs.realpath": {
- "version": "1.0.0",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "gauge": {
- "version": "2.7.4",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "aproba": "^1.0.3",
- "console-control-strings": "^1.0.0",
- "has-unicode": "^2.0.0",
- "object-assign": "^4.1.0",
- "signal-exit": "^3.0.0",
- "string-width": "^1.0.1",
- "strip-ansi": "^3.0.1",
- "wide-align": "^1.1.0"
- }
- },
- "glob": {
- "version": "7.1.3",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "fs.realpath": "^1.0.0",
- "inflight": "^1.0.4",
- "inherits": "2",
- "minimatch": "^3.0.4",
- "once": "^1.3.0",
- "path-is-absolute": "^1.0.0"
- }
- },
- "has-unicode": {
- "version": "2.0.1",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "iconv-lite": {
- "version": "0.4.24",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "safer-buffer": ">= 2.1.2 < 3"
- }
- },
- "ignore-walk": {
- "version": "3.0.1",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "minimatch": "^3.0.4"
- }
- },
- "inflight": {
- "version": "1.0.6",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "once": "^1.3.0",
- "wrappy": "1"
- }
- },
- "inherits": {
- "version": "2.0.3",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "ini": {
- "version": "1.3.5",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "is-fullwidth-code-point": {
- "version": "1.0.0",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "number-is-nan": "^1.0.0"
- }
- },
- "isarray": {
- "version": "1.0.0",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "minimatch": {
- "version": "3.0.4",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "brace-expansion": "^1.1.7"
- }
- },
- "minimist": {
- "version": "0.0.8",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "minipass": {
- "version": "2.3.5",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "safe-buffer": "^5.1.2",
- "yallist": "^3.0.0"
- }
- },
- "minizlib": {
- "version": "1.2.1",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "minipass": "^2.2.1"
- }
- },
- "mkdirp": {
- "version": "0.5.1",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "minimist": "0.0.8"
- }
- },
- "ms": {
- "version": "2.1.1",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "needle": {
- "version": "2.3.0",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "debug": "^4.1.0",
- "iconv-lite": "^0.4.4",
- "sax": "^1.2.4"
- }
- },
- "node-pre-gyp": {
- "version": "0.12.0",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "detect-libc": "^1.0.2",
- "mkdirp": "^0.5.1",
- "needle": "^2.2.1",
- "nopt": "^4.0.1",
- "npm-packlist": "^1.1.6",
- "npmlog": "^4.0.2",
- "rc": "^1.2.7",
- "rimraf": "^2.6.1",
- "semver": "^5.3.0",
- "tar": "^4"
- }
- },
- "nopt": {
- "version": "4.0.1",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "abbrev": "1",
- "osenv": "^0.1.4"
- }
- },
- "npm-bundled": {
- "version": "1.0.6",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "npm-packlist": {
- "version": "1.4.1",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "ignore-walk": "^3.0.1",
- "npm-bundled": "^1.0.1"
- }
- },
- "npmlog": {
- "version": "4.1.2",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "are-we-there-yet": "~1.1.2",
- "console-control-strings": "~1.1.0",
- "gauge": "~2.7.3",
- "set-blocking": "~2.0.0"
- }
- },
- "number-is-nan": {
- "version": "1.0.1",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "object-assign": {
- "version": "4.1.1",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "once": {
- "version": "1.4.0",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "wrappy": "1"
- }
- },
- "os-homedir": {
- "version": "1.0.2",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "os-tmpdir": {
- "version": "1.0.2",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "osenv": {
- "version": "0.1.5",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "os-homedir": "^1.0.0",
- "os-tmpdir": "^1.0.0"
- }
- },
- "path-is-absolute": {
- "version": "1.0.1",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "process-nextick-args": {
- "version": "2.0.0",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "rc": {
- "version": "1.2.8",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "deep-extend": "^0.6.0",
- "ini": "~1.3.0",
- "minimist": "^1.2.0",
- "strip-json-comments": "~2.0.1"
- },
- "dependencies": {
- "minimist": {
- "version": "1.2.0",
- "bundled": true,
- "dev": true,
- "optional": true
- }
- }
- },
- "readable-stream": {
- "version": "2.3.6",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "core-util-is": "~1.0.0",
- "inherits": "~2.0.3",
- "isarray": "~1.0.0",
- "process-nextick-args": "~2.0.0",
- "safe-buffer": "~5.1.1",
- "string_decoder": "~1.1.1",
- "util-deprecate": "~1.0.1"
- }
- },
- "rimraf": {
- "version": "2.6.3",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "glob": "^7.1.3"
- }
- },
- "safe-buffer": {
- "version": "5.1.2",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "safer-buffer": {
- "version": "2.1.2",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "sax": {
- "version": "1.2.4",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "semver": {
- "version": "5.7.0",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "set-blocking": {
- "version": "2.0.0",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "signal-exit": {
- "version": "3.0.2",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "string-width": {
- "version": "1.0.2",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "code-point-at": "^1.0.0",
- "is-fullwidth-code-point": "^1.0.0",
- "strip-ansi": "^3.0.0"
- }
- },
- "string_decoder": {
- "version": "1.1.1",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "safe-buffer": "~5.1.0"
- }
- },
- "strip-ansi": {
- "version": "3.0.1",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "ansi-regex": "^2.0.0"
- }
- },
- "strip-json-comments": {
- "version": "2.0.1",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "tar": {
- "version": "4.4.8",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "chownr": "^1.1.1",
- "fs-minipass": "^1.2.5",
- "minipass": "^2.3.4",
- "minizlib": "^1.1.1",
- "mkdirp": "^0.5.0",
- "safe-buffer": "^5.1.2",
- "yallist": "^3.0.2"
- }
- },
- "util-deprecate": {
- "version": "1.0.2",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "wide-align": {
- "version": "1.1.3",
- "bundled": true,
- "dev": true,
- "optional": true,
- "requires": {
- "string-width": "^1.0.2 || 2"
- }
- },
- "wrappy": {
- "version": "1.0.2",
- "bundled": true,
- "dev": true,
- "optional": true
- },
- "yallist": {
- "version": "3.0.3",
- "bundled": true,
- "dev": true,
- "optional": true
- }
- }
- },
- "fstream": {
- "version": "1.0.12",
- "resolved": "https://registry.npmjs.org/fstream/-/fstream-1.0.12.tgz",
- "integrity": "sha512-WvJ193OHa0GHPEL+AycEJgxvBEwyfRkN1vhjca23OaPVMCaLCXTd5qAu82AjTcgP1UJmytkOKb63Ypde7raDIg==",
+ "version": "2.1.2",
+ "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.1.2.tgz",
+ "integrity": "sha512-R4wDiBwZ0KzpgOWetKDug1FZcYhqYnUYKtfZYt4mD5SBz76q0KR4Q9o7GIPamsVPGmW3EYPPJ0dOOjvx32ldZA==",
+ "dev": true,
+ "optional": true
+ },
+ "fstream": {
+ "version": "1.0.12",
+ "resolved": "https://registry.npmjs.org/fstream/-/fstream-1.0.12.tgz",
+ "integrity": "sha512-WvJ193OHa0GHPEL+AycEJgxvBEwyfRkN1vhjca23OaPVMCaLCXTd5qAu82AjTcgP1UJmytkOKb63Ypde7raDIg==",
"dev": true,
"requires": {
"graceful-fs": "^4.1.2",
}
},
"glob": {
- "version": "7.1.3",
- "resolved": "https://registry.npmjs.org/glob/-/glob-7.1.3.tgz",
- "integrity": "sha512-vcfuiIxogLV4DlGBHIUOwI0IbrJ8HWPc4MU7HzviGeNho/UJDfi6B5p3sHeWIQ0KGIU0Jpxi5ZHxemQfLkkAwQ==",
+ "version": "7.1.6",
+ "resolved": "https://registry.npmjs.org/glob/-/glob-7.1.6.tgz",
+ "integrity": "sha512-LwaxwyZ72Lk7vZINtNNrywX0ZuLyStrdDtabefZKAY5ZGJhVtgdznluResxNmPitE0SAO+O26sWTHeKSI2wMBA==",
"dev": true,
"requires": {
"fs.realpath": "^1.0.0",
}
},
"glob-parent": {
- "version": "3.1.0",
- "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-3.1.0.tgz",
- "integrity": "sha1-nmr2KZ2NO9K9QEMIMr0RPfkGxa4=",
+ "version": "5.1.0",
+ "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.0.tgz",
+ "integrity": "sha512-qjtRgnIVmOfnKUE3NJAQEdk+lKrxfw8t5ke7SXtfMTHcjsBfOfWXCQfdb30zfDoZQ2IRSIiidmjtbHZPZ++Ihw==",
+ "dev": true,
+ "requires": {
+ "is-glob": "^4.0.1"
+ }
+ },
+ "global-modules": {
+ "version": "2.0.0",
+ "resolved": "https://registry.npmjs.org/global-modules/-/global-modules-2.0.0.tgz",
+ "integrity": "sha512-NGbfmJBp9x8IxyJSd1P+otYK8vonoJactOogrVfFRIAEY1ukil8RSKDz2Yo7wh1oihl51l/r6W4epkeKJHqL8A==",
"dev": true,
"requires": {
- "is-glob": "^3.1.0",
- "path-dirname": "^1.0.0"
+ "global-prefix": "^3.0.0"
},
"dependencies": {
- "is-glob": {
- "version": "3.1.0",
- "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-3.1.0.tgz",
- "integrity": "sha1-e6WuJCF4BKxwcHuWkiVnSGzD6Eo=",
+ "global-prefix": {
+ "version": "3.0.0",
+ "resolved": "https://registry.npmjs.org/global-prefix/-/global-prefix-3.0.0.tgz",
+ "integrity": "sha512-awConJSVCHVGND6x3tmMaKcQvwXLhjdkmomy2W+Goaui8YPgYgXJZewhg3fWC+DlfqqQuWg8AwqjGTD2nAPVWg==",
"dev": true,
"requires": {
- "is-extglob": "^2.1.0"
+ "ini": "^1.3.5",
+ "kind-of": "^6.0.2",
+ "which": "^1.3.1"
}
}
}
},
- "global-modules": {
- "version": "1.0.0",
- "resolved": "https://registry.npmjs.org/global-modules/-/global-modules-1.0.0.tgz",
- "integrity": "sha512-sKzpEkf11GpOFuw0Zzjzmt4B4UZwjOcG757PPvrfhxcLFbq0wpsgpOqxpxtxFiCG4DtG93M6XRVbF2oGdev7bg==",
- "dev": true,
- "requires": {
- "global-prefix": "^1.0.1",
- "is-windows": "^1.0.1",
- "resolve-dir": "^1.0.0"
- }
- },
"global-prefix": {
"version": "1.0.2",
"resolved": "https://registry.npmjs.org/global-prefix/-/global-prefix-1.0.2.tgz",
}
},
"globule": {
- "version": "1.2.1",
- "resolved": "https://registry.npmjs.org/globule/-/globule-1.2.1.tgz",
- "integrity": "sha512-g7QtgWF4uYSL5/dn71WxubOrS7JVGCnFPEnoeChJmBnyR9Mw8nGoEwOgJL/RC2Te0WhbsEUCejfH8SZNJ+adYQ==",
+ "version": "1.3.1",
+ "resolved": "https://registry.npmjs.org/globule/-/globule-1.3.1.tgz",
+ "integrity": "sha512-OVyWOHgw29yosRHCHo7NncwR1hW5ew0W/UrvtwvjefVJeQ26q4/8r8FmPsSF1hJ93IgWkyv16pCTz6WblMzm/g==",
"dev": true,
"requires": {
"glob": "~7.1.1",
- "lodash": "~4.17.10",
+ "lodash": "~4.17.12",
"minimatch": "~3.0.2"
}
},
"kind-of": "^4.0.0"
},
"dependencies": {
+ "is-number": {
+ "version": "3.0.0",
+ "resolved": "https://registry.npmjs.org/is-number/-/is-number-3.0.0.tgz",
+ "integrity": "sha1-JP1iAaR4LPUFYcgQJ2r8fRLXEZU=",
+ "dev": true,
+ "requires": {
+ "kind-of": "^3.0.2"
+ },
+ "dependencies": {
+ "kind-of": {
+ "version": "3.2.2",
+ "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz",
+ "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=",
+ "dev": true,
+ "requires": {
+ "is-buffer": "^1.1.5"
+ }
+ }
+ }
+ },
"kind-of": {
"version": "4.0.0",
"resolved": "https://registry.npmjs.org/kind-of/-/kind-of-4.0.0.tgz",
"integrity": "sha1-7AbBDgo0wPL68Zn3/X/Hj//QPHM=",
"dev": true
},
- "icss-replace-symbols": {
- "version": "1.1.0",
- "resolved": "https://registry.npmjs.org/icss-replace-symbols/-/icss-replace-symbols-1.1.0.tgz",
- "integrity": "sha1-Bupvg2ead0njhs/h/oEq5dsiPe0=",
- "dev": true
- },
"icss-utils": {
"version": "4.1.1",
"resolved": "https://registry.npmjs.org/icss-utils/-/icss-utils-4.1.1.tgz",
"integrity": "sha1-8w9xbI4r00bHtn0985FVZqfAVgc=",
"dev": true
},
- "indexof": {
- "version": "0.0.1",
- "resolved": "https://registry.npmjs.org/indexof/-/indexof-0.0.1.tgz",
- "integrity": "sha1-gtwzbSMrkGIXnQWrMpOmYFn9Q10=",
+ "infer-owner": {
+ "version": "1.0.4",
+ "resolved": "https://registry.npmjs.org/infer-owner/-/infer-owner-1.0.4.tgz",
+ "integrity": "sha512-IClj+Xz94+d7irH5qRyfJonOdfTzuDaifE6ZPWfx0N0+/ATZCbuTPq2prFl526urkQd90WyUKIh1DfBQ2hMz9A==",
"dev": true
},
"inflight": {
}
},
"inherits": {
- "version": "2.0.3",
- "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.3.tgz",
- "integrity": "sha1-Yzwsg+PaQqUC9SRmAiSA9CCCYd4=",
+ "version": "2.0.4",
+ "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz",
+ "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==",
"dev": true
},
"ini": {
"dev": true,
"requires": {
"kind-of": "^3.0.2"
- }
- },
- "is-arrayish": {
+ },
+ "dependencies": {
+ "kind-of": {
+ "version": "3.2.2",
+ "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz",
+ "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=",
+ "dev": true,
+ "requires": {
+ "is-buffer": "^1.1.5"
+ }
+ }
+ }
+ },
+ "is-arrayish": {
"version": "0.2.1",
"resolved": "https://registry.npmjs.org/is-arrayish/-/is-arrayish-0.2.1.tgz",
"integrity": "sha1-d8mYQFJ6qOyxqLppe4BkWnqSap0=",
"dev": true
},
"is-binary-path": {
- "version": "1.0.1",
- "resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-1.0.1.tgz",
- "integrity": "sha1-dfFmQrSA8YenEcgUFh/TpKdlWJg=",
+ "version": "2.1.0",
+ "resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz",
+ "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==",
"dev": true,
"requires": {
- "binary-extensions": "^1.0.0"
+ "binary-extensions": "^2.0.0"
}
},
"is-buffer": {
"dev": true,
"requires": {
"kind-of": "^3.0.2"
+ },
+ "dependencies": {
+ "kind-of": {
+ "version": "3.2.2",
+ "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz",
+ "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=",
+ "dev": true,
+ "requires": {
+ "is-buffer": "^1.1.5"
+ }
+ }
}
},
"is-date-object": {
"dev": true
},
"is-finite": {
- "version": "1.0.2",
- "resolved": "https://registry.npmjs.org/is-finite/-/is-finite-1.0.2.tgz",
- "integrity": "sha1-zGZ3aVYCvlUO8R6LSqYwU0K20Ko=",
- "dev": true,
- "requires": {
- "number-is-nan": "^1.0.0"
- }
+ "version": "1.1.0",
+ "resolved": "https://registry.npmjs.org/is-finite/-/is-finite-1.1.0.tgz",
+ "integrity": "sha512-cdyMtqX/BOqqNBBiKlIVkytNHm49MtMlYyn1zxzvJKWmFMlGzm+ry5BBfYyeY9YmNKbRSo/o7OX9w9ale0wg3w==",
+ "dev": true
},
"is-fullwidth-code-point": {
"version": "1.0.0",
}
},
"is-number": {
- "version": "3.0.0",
- "resolved": "https://registry.npmjs.org/is-number/-/is-number-3.0.0.tgz",
- "integrity": "sha1-JP1iAaR4LPUFYcgQJ2r8fRLXEZU=",
- "dev": true,
- "requires": {
- "kind-of": "^3.0.2"
- }
+ "version": "7.0.0",
+ "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz",
+ "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==",
+ "dev": true
},
"is-plain-obj": {
"version": "1.1.0",
"dev": true
},
"js-base64": {
- "version": "2.5.1",
- "resolved": "https://registry.npmjs.org/js-base64/-/js-base64-2.5.1.tgz",
- "integrity": "sha512-M7kLczedRMYX4L8Mdh4MzyAMM9O5osx+4FcOQuTvr3A9F2D9S5JXheN0ewNbrvK2UatkTRhL5ejGmGSjNMiZuw==",
+ "version": "2.5.2",
+ "resolved": "https://registry.npmjs.org/js-base64/-/js-base64-2.5.2.tgz",
+ "integrity": "sha512-Vg8czh0Q7sFBSUMWWArX/miJeBWYBPpdU/3M/DKSaekLMqrqVPaedp+5mZhie/r0lgrcaYBfwXatEew6gwgiQQ==",
"dev": true
},
"jsbn": {
"dev": true
},
"json5": {
- "version": "0.5.1",
- "resolved": "https://registry.npmjs.org/json5/-/json5-0.5.1.tgz",
- "integrity": "sha1-Hq3nrMASA0rYTiOWdn6tn6VJWCE=",
- "dev": true
+ "version": "1.0.1",
+ "resolved": "https://registry.npmjs.org/json5/-/json5-1.0.1.tgz",
+ "integrity": "sha512-aKS4WQjPenRxiQsC93MNfjx+nbF4PAdYzmd/1JIj8HYzqfbu86beTuNgXDzPknWk0n0uARlyewZo4s++ES36Ow==",
+ "dev": true,
+ "requires": {
+ "minimist": "^1.2.0"
+ }
},
"jsonify": {
"version": "0.0.0",
}
},
"kind-of": {
- "version": "3.2.2",
- "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz",
- "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=",
- "dev": true,
- "requires": {
- "is-buffer": "^1.1.5"
- }
+ "version": "6.0.3",
+ "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.3.tgz",
+ "integrity": "sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==",
+ "dev": true
},
"lcid": {
"version": "1.0.0",
}
},
"linkify-it": {
- "version": "2.0.3",
- "resolved": "https://registry.npmjs.org/linkify-it/-/linkify-it-2.0.3.tgz",
- "integrity": "sha1-2UpGSPmxwXnWT6lykSaL22zpQ08=",
+ "version": "2.2.0",
+ "resolved": "https://registry.npmjs.org/linkify-it/-/linkify-it-2.2.0.tgz",
+ "integrity": "sha512-GnAl/knGn+i1U/wjBz3akz2stz+HrHLsxMwHQGofCDfPvlf+gDKN58UtfmUquTY4/MXeE2x7k19KQmeoZi94Iw==",
"requires": {
"uc.micro": "^1.0.1"
}
},
"livereload": {
- "version": "0.8.0",
- "resolved": "https://registry.npmjs.org/livereload/-/livereload-0.8.0.tgz",
- "integrity": "sha512-Hi5Na6VIK3e8zlgOS50fu+iOTKWj5hM0BE7NKpZkwnfWTnktTjA38ZUXa2NlJww8/GrdVhpnxdqlLad5fkO27g==",
+ "version": "0.9.1",
+ "resolved": "https://registry.npmjs.org/livereload/-/livereload-0.9.1.tgz",
+ "integrity": "sha512-9g7sua11kkyZNo2hLRCG3LuZZwqexoyEyecSlV8cAsfAVVCZqLzVir6XDqmH0r+Vzgnd5LrdHDMyjtFnJQLAYw==",
"dev": true,
"requires": {
- "chokidar": "^2.1.5",
+ "chokidar": "^3.3.0",
+ "livereload-js": "^3.1.0",
"opts": ">= 1.2.0",
- "ws": "^1.1.5"
+ "ws": "^6.2.1"
}
},
+ "livereload-js": {
+ "version": "3.2.2",
+ "resolved": "https://registry.npmjs.org/livereload-js/-/livereload-js-3.2.2.tgz",
+ "integrity": "sha512-xhScbNeC687ZINjEf/bD+BMiPx4s4q0mehcLb3zCc8+mykOtmaBR4vqzyIV9rIGdG9JjHaT0LiFdscvivCjX1Q==",
+ "dev": true
+ },
"load-json-file": {
"version": "1.1.0",
"resolved": "https://registry.npmjs.org/load-json-file/-/load-json-file-1.1.0.tgz",
"dependencies": {
"pify": {
"version": "2.3.0",
- "resolved": "http://registry.npmjs.org/pify/-/pify-2.3.0.tgz",
+ "resolved": "https://registry.npmjs.org/pify/-/pify-2.3.0.tgz",
"integrity": "sha1-7RQaasBDqEnqWISY59yosVMw6Qw=",
"dev": true
}
"dev": true
},
"loader-utils": {
- "version": "1.1.0",
- "resolved": "https://registry.npmjs.org/loader-utils/-/loader-utils-1.1.0.tgz",
- "integrity": "sha1-yYrvSIvM7aL/teLeZG1qdUQp9c0=",
+ "version": "1.2.3",
+ "resolved": "https://registry.npmjs.org/loader-utils/-/loader-utils-1.2.3.tgz",
+ "integrity": "sha512-fkpz8ejdnEMG3s37wGL07iSBDg99O9D5yflE9RGNH3hRdx9SOwYfnGYdZOUIZitN8E+E2vkq3MUMYMvPYl5ZZA==",
"dev": true,
"requires": {
- "big.js": "^3.1.3",
+ "big.js": "^5.2.2",
"emojis-list": "^2.0.0",
- "json5": "^0.5.0"
+ "json5": "^1.0.1"
}
},
"locate-path": {
"requires": {
"p-locate": "^3.0.0",
"path-exists": "^3.0.0"
+ },
+ "dependencies": {
+ "path-exists": {
+ "version": "3.0.0",
+ "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-3.0.0.tgz",
+ "integrity": "sha1-zg6+ql94yxiSXqfYENe1mwEP1RU=",
+ "dev": true
+ }
}
},
"lodash": {
"integrity": "sha512-8xOcRHvCjnocdS5cpwXQXVzmmh5e5+saE2QGoeQmbKmRS6J3VQppPOIt0MnmE+4xlZoumy0GPG0D0MVIQbNA1A==",
"dev": true
},
- "lodash.tail": {
- "version": "4.1.1",
- "resolved": "https://registry.npmjs.org/lodash.tail/-/lodash.tail-4.1.1.tgz",
- "integrity": "sha1-0jM6NtnncXyK0vfKyv7HwytERmQ=",
- "dev": true
- },
"loud-rejection": {
"version": "1.6.0",
"resolved": "https://registry.npmjs.org/loud-rejection/-/loud-rejection-1.6.0.tgz",
}
},
"markdown-it": {
- "version": "8.4.2",
- "resolved": "https://registry.npmjs.org/markdown-it/-/markdown-it-8.4.2.tgz",
- "integrity": "sha512-GcRz3AWTqSUphY3vsUqQSFMbgR38a4Lh3GWlHRh/7MRwz8mcu9n2IO7HOh+bXHrR9kOPDl5RNCaEsrneb+xhHQ==",
+ "version": "10.0.0",
+ "resolved": "https://registry.npmjs.org/markdown-it/-/markdown-it-10.0.0.tgz",
+ "integrity": "sha512-YWOP1j7UbDNz+TumYP1kpwnP0aEa711cJjrAQrzd0UXlbJfc5aAq0F/PZHjiioqDC1NKgvIMX+o+9Bk7yuM2dg==",
"requires": {
"argparse": "^1.0.7",
- "entities": "~1.1.1",
+ "entities": "~2.0.0",
"linkify-it": "^2.0.0",
"mdurl": "^1.0.1",
"uc.micro": "^1.0.5"
"hash-base": "^3.0.0",
"inherits": "^2.0.1",
"safe-buffer": "^5.1.2"
- },
- "dependencies": {
- "safe-buffer": {
- "version": "5.1.2",
- "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz",
- "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==",
- "dev": true
- }
}
},
"mdurl": {
"read-pkg-up": "^1.0.1",
"redent": "^1.0.0",
"trim-newlines": "^1.0.0"
- },
- "dependencies": {
- "minimist": {
- "version": "1.2.0",
- "resolved": "http://registry.npmjs.org/minimist/-/minimist-1.2.0.tgz",
- "integrity": "sha1-o1AIsg9BOD7sH7kU9M1d95omQoQ=",
- "dev": true
- }
}
},
"micromatch": {
"to-regex": "^3.0.2"
},
"dependencies": {
- "kind-of": {
- "version": "6.0.2",
- "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.2.tgz",
- "integrity": "sha512-s5kLOcnH0XqDO+FvuaLX8DDjZ18CGFk7VygH40QoKPUQhW4e2rvM0rwUq0t8IQDOwYSeLK01U90OjzBTme2QqA==",
- "dev": true
+ "braces": {
+ "version": "2.3.2",
+ "resolved": "https://registry.npmjs.org/braces/-/braces-2.3.2.tgz",
+ "integrity": "sha512-aNdbnj9P8PjdXU4ybaWLK2IF3jc/EoDYbC7AazW6to3TRsfXxscC9UXOB5iDiEQrkyIbWp2SLQda4+QAa7nc3w==",
+ "dev": true,
+ "requires": {
+ "arr-flatten": "^1.1.0",
+ "array-unique": "^0.3.2",
+ "extend-shallow": "^2.0.1",
+ "fill-range": "^4.0.0",
+ "isobject": "^3.0.1",
+ "repeat-element": "^1.1.2",
+ "snapdragon": "^0.8.1",
+ "snapdragon-node": "^2.0.1",
+ "split-string": "^3.0.2",
+ "to-regex": "^3.0.1"
+ },
+ "dependencies": {
+ "extend-shallow": {
+ "version": "2.0.1",
+ "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz",
+ "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=",
+ "dev": true,
+ "requires": {
+ "is-extendable": "^0.1.0"
+ }
+ }
+ }
+ },
+ "fill-range": {
+ "version": "4.0.0",
+ "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-4.0.0.tgz",
+ "integrity": "sha1-1USBHUKPmOsGpj3EAtJAPDKMOPc=",
+ "dev": true,
+ "requires": {
+ "extend-shallow": "^2.0.1",
+ "is-number": "^3.0.0",
+ "repeat-string": "^1.6.1",
+ "to-regex-range": "^2.1.0"
+ },
+ "dependencies": {
+ "extend-shallow": {
+ "version": "2.0.1",
+ "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz",
+ "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=",
+ "dev": true,
+ "requires": {
+ "is-extendable": "^0.1.0"
+ }
+ }
+ }
+ },
+ "is-number": {
+ "version": "3.0.0",
+ "resolved": "https://registry.npmjs.org/is-number/-/is-number-3.0.0.tgz",
+ "integrity": "sha1-JP1iAaR4LPUFYcgQJ2r8fRLXEZU=",
+ "dev": true,
+ "requires": {
+ "kind-of": "^3.0.2"
+ },
+ "dependencies": {
+ "kind-of": {
+ "version": "3.2.2",
+ "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz",
+ "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=",
+ "dev": true,
+ "requires": {
+ "is-buffer": "^1.1.5"
+ }
+ }
+ }
+ },
+ "to-regex-range": {
+ "version": "2.1.1",
+ "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-2.1.1.tgz",
+ "integrity": "sha1-fIDBe53+vlmeJzZ+DU3VWQFB2zg=",
+ "dev": true,
+ "requires": {
+ "is-number": "^3.0.0",
+ "repeat-string": "^1.6.1"
+ }
}
}
},
}
},
"mime-db": {
- "version": "1.40.0",
- "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.40.0.tgz",
- "integrity": "sha512-jYdeOMPy9vnxEqFRRo6ZvTZ8d9oPb+k18PKoYNYUe2stVEBPPwsln/qWzdbmaIvnhZ9v2P+CuecK+fpUfsV2mA==",
+ "version": "1.43.0",
+ "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.43.0.tgz",
+ "integrity": "sha512-+5dsGEEovYbT8UY9yD7eE4XTc4UwJ1jBYlgaQQF38ENsKR3wj/8q8RFZrF9WIZpB2V1ArTVFUva8sAul1NzRzQ==",
"dev": true
},
"mime-types": {
- "version": "2.1.24",
- "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.24.tgz",
- "integrity": "sha512-WaFHS3MCl5fapm3oLxU4eYDw77IQM2ACcxQ9RIxfaC3ooc6PFuBMGZZsYpvoXS5D5QTWPieo1jjLdAm3TBP3cQ==",
+ "version": "2.1.26",
+ "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.26.tgz",
+ "integrity": "sha512-01paPWYgLrkqAyrlDorC1uDwl2p3qZT7yl806vW7DvDoxwXi46jsjFbg+WdwotBIk6/MbEhO/dh5aZ5sNj/dWQ==",
"dev": true,
"requires": {
- "mime-db": "1.40.0"
+ "mime-db": "1.43.0"
}
},
"mimic-fn": {
"dev": true
},
"mini-css-extract-plugin": {
- "version": "0.7.0",
- "resolved": "https://registry.npmjs.org/mini-css-extract-plugin/-/mini-css-extract-plugin-0.7.0.tgz",
- "integrity": "sha512-RQIw6+7utTYn8DBGsf/LpRgZCJMpZt+kuawJ/fju0KiOL6nAaTBNmCJwS7HtwSCXfS47gCkmtBFS7HdsquhdxQ==",
+ "version": "0.9.0",
+ "resolved": "https://registry.npmjs.org/mini-css-extract-plugin/-/mini-css-extract-plugin-0.9.0.tgz",
+ "integrity": "sha512-lp3GeY7ygcgAmVIcRPBVhIkf8Us7FZjA+ILpal44qLdSu11wmjKQ3d9k15lfD7pO4esu9eUIAW7qiYIBppv40A==",
"dev": true,
"requires": {
"loader-utils": "^1.1.0",
"normalize-url": "1.9.1",
"schema-utils": "^1.0.0",
"webpack-sources": "^1.1.0"
+ },
+ "dependencies": {
+ "schema-utils": {
+ "version": "1.0.0",
+ "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-1.0.0.tgz",
+ "integrity": "sha512-i27Mic4KovM/lnGsy8whRCHhc7VicJajAjTrYg11K9zfZXnYIt4k5F+kZkwjnrhKzLic/HLU4j11mjsz2G/75g==",
+ "dev": true,
+ "requires": {
+ "ajv": "^6.1.0",
+ "ajv-errors": "^1.0.0",
+ "ajv-keywords": "^3.1.0"
+ }
+ }
}
},
"minimalistic-assert": {
}
},
"minimist": {
- "version": "0.0.8",
- "resolved": "http://registry.npmjs.org/minimist/-/minimist-0.0.8.tgz",
- "integrity": "sha1-hX/Kv8M5fSYluCKCYuhqp6ARsF0=",
+ "version": "1.2.0",
+ "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.0.tgz",
+ "integrity": "sha1-o1AIsg9BOD7sH7kU9M1d95omQoQ=",
"dev": true
},
"mississippi": {
}
}
},
- "mixin-object": {
- "version": "2.0.1",
- "resolved": "https://registry.npmjs.org/mixin-object/-/mixin-object-2.0.1.tgz",
- "integrity": "sha1-T7lJRB2rGCVA8f4DW6YOGUel5X4=",
- "dev": true,
- "requires": {
- "for-in": "^0.1.3",
- "is-extendable": "^0.1.1"
- },
- "dependencies": {
- "for-in": {
- "version": "0.1.8",
- "resolved": "https://registry.npmjs.org/for-in/-/for-in-0.1.8.tgz",
- "integrity": "sha1-2Hc5COMSVhCZUrH9ubP6hn0ndeE=",
- "dev": true
- }
- }
- },
"mkdirp": {
"version": "0.5.1",
"resolved": "https://registry.npmjs.org/mkdirp/-/mkdirp-0.5.1.tgz",
"dev": true,
"requires": {
"minimist": "0.0.8"
+ },
+ "dependencies": {
+ "minimist": {
+ "version": "0.0.8",
+ "resolved": "https://registry.npmjs.org/minimist/-/minimist-0.0.8.tgz",
+ "integrity": "sha1-hX/Kv8M5fSYluCKCYuhqp6ARsF0=",
+ "dev": true
+ }
}
},
"move-concurrently": {
"regex-not": "^1.0.0",
"snapdragon": "^0.8.1",
"to-regex": "^3.0.1"
- },
- "dependencies": {
- "kind-of": {
- "version": "6.0.2",
- "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.2.tgz",
- "integrity": "sha512-s5kLOcnH0XqDO+FvuaLX8DDjZ18CGFk7VygH40QoKPUQhW4e2rvM0rwUq0t8IQDOwYSeLK01U90OjzBTme2QqA==",
- "dev": true
- }
}
},
"neo-async": {
- "version": "2.6.0",
- "resolved": "https://registry.npmjs.org/neo-async/-/neo-async-2.6.0.tgz",
- "integrity": "sha512-MFh0d/Wa7vkKO3Y3LlacqAEeHK0mckVqzDieUKTT+KGxi+zIpeVsFxymkIiRpbpDziHc290Xr9A1O4Om7otoRA==",
+ "version": "2.6.1",
+ "resolved": "https://registry.npmjs.org/neo-async/-/neo-async-2.6.1.tgz",
+ "integrity": "sha512-iyam8fBuCUpWeKPGpaNMetEocMt364qkCsfL9JuhjXX6dRnguRVOfk2GZaDpPjcOKiiXCPINZC1GczQ7iTq3Zw==",
"dev": true
},
"nice-try": {
}
},
"node-libs-browser": {
- "version": "2.2.0",
- "resolved": "https://registry.npmjs.org/node-libs-browser/-/node-libs-browser-2.2.0.tgz",
- "integrity": "sha512-5MQunG/oyOaBdttrL40dA7bUfPORLRWMUJLQtMg7nluxUvk5XwnLdL9twQHFAjRx/y7mIMkLKT9++qPbbk6BZA==",
+ "version": "2.2.1",
+ "resolved": "https://registry.npmjs.org/node-libs-browser/-/node-libs-browser-2.2.1.tgz",
+ "integrity": "sha512-h/zcD8H9kaDZ9ALUWwlBUDo6TKF8a7qBSCSEGfjTVIYeqsioSKaAX+BN7NgiMGp6iSIXZ3PxgCu8KS3b71YK5Q==",
"dev": true,
"requires": {
"assert": "^1.1.1",
"events": "^3.0.0",
"https-browserify": "^1.0.0",
"os-browserify": "^0.3.0",
- "path-browserify": "0.0.0",
+ "path-browserify": "0.0.1",
"process": "^0.11.10",
"punycode": "^1.2.4",
"querystring-es3": "^0.2.0",
"tty-browserify": "0.0.0",
"url": "^0.11.0",
"util": "^0.11.0",
- "vm-browserify": "0.0.4"
+ "vm-browserify": "^1.0.1"
+ },
+ "dependencies": {
+ "punycode": {
+ "version": "1.4.1",
+ "resolved": "https://registry.npmjs.org/punycode/-/punycode-1.4.1.tgz",
+ "integrity": "sha1-wNWmOycYgArY4esPpSachN1BhF4=",
+ "dev": true
+ }
}
},
"node-sass": {
- "version": "4.12.0",
- "resolved": "https://registry.npmjs.org/node-sass/-/node-sass-4.12.0.tgz",
- "integrity": "sha512-A1Iv4oN+Iel6EPv77/HddXErL2a+gZ4uBeZUy+a8O35CFYTXhgA8MgLCWBtwpGZdCvTvQ9d+bQxX/QC36GDPpQ==",
+ "version": "4.13.1",
+ "resolved": "https://registry.npmjs.org/node-sass/-/node-sass-4.13.1.tgz",
+ "integrity": "sha512-TTWFx+ZhyDx1Biiez2nB0L3YrCZ/8oHagaDalbuBSlqXgUPsdkUSzJsVxeDO9LtPB49+Fh3WQl3slABo6AotNw==",
"dev": true,
"requires": {
"async-foreach": "^0.1.3",
"get-stdin": "^4.0.1",
"glob": "^7.0.3",
"in-publish": "^2.0.0",
- "lodash": "^4.17.11",
+ "lodash": "^4.17.15",
"meow": "^3.7.0",
"mkdirp": "^0.5.1",
"nan": "^2.13.2",
},
"chalk": {
"version": "1.1.3",
- "resolved": "http://registry.npmjs.org/chalk/-/chalk-1.1.3.tgz",
+ "resolved": "https://registry.npmjs.org/chalk/-/chalk-1.1.3.tgz",
"integrity": "sha1-qBFcVeSnAv5NFQq9OHKCKn4J/Jg=",
"dev": true,
"requires": {
"requires": {
"is-descriptor": "^0.1.0"
}
+ },
+ "kind-of": {
+ "version": "3.2.2",
+ "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz",
+ "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=",
+ "dev": true,
+ "requires": {
+ "is-buffer": "^1.1.5"
+ }
}
}
},
"wrappy": "1"
}
},
- "options": {
- "version": "0.0.6",
- "resolved": "https://registry.npmjs.org/options/-/options-0.0.6.tgz",
- "integrity": "sha1-7CLTEoBrtT5zF3Pnza788cZDEo8=",
- "dev": true
- },
"opts": {
- "version": "1.2.6",
- "resolved": "https://registry.npmjs.org/opts/-/opts-1.2.6.tgz",
- "integrity": "sha1-0YXAQlz9652h0YKQi2W1wCOP67M=",
+ "version": "1.2.7",
+ "resolved": "https://registry.npmjs.org/opts/-/opts-1.2.7.tgz",
+ "integrity": "sha512-hwZhzGGG/GQ7igxAVFOEun2N4fWul31qE9nfBdCnZGQCB5+L7tN9xZ+94B4aUpLOJx/of3zZs5XsuubayQYQjA==",
"dev": true
},
"os-browserify": {
"dev": true
},
"p-limit": {
- "version": "2.2.0",
- "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.2.0.tgz",
- "integrity": "sha512-pZbTJpoUsCzV48Mc9Nh51VbwO0X9cuPFE8gYwx9BTCt9SF8/b7Zljd2fVgOxhIF/HDTKgpVzs+GPhyKfjLLFRQ==",
+ "version": "2.2.2",
+ "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.2.2.tgz",
+ "integrity": "sha512-WGR+xHecKTr7EbUEhyLSh5Dube9JtdiG78ufaeLxTgpudf/20KqyMioIUZJAezlTIi6evxuoUs9YXc11cU+yzQ==",
"dev": true,
"requires": {
"p-try": "^2.0.0"
"dev": true
},
"pako": {
- "version": "1.0.10",
- "resolved": "https://registry.npmjs.org/pako/-/pako-1.0.10.tgz",
- "integrity": "sha512-0DTvPVU3ed8+HNXOu5Bs+o//Mbdj9VNQMUOe9oKCwh8l0GNwpTDMKCWbRjgtD291AWnkAgkqA/LOnQS8AmS1tw==",
+ "version": "1.0.11",
+ "resolved": "https://registry.npmjs.org/pako/-/pako-1.0.11.tgz",
+ "integrity": "sha512-4hLB8Py4zZce5s4yd9XzopqwVv/yGNhV1Bl8NTmCq1763HeK2+EwVTv+leGeL13Dnh2wfbqowVPXCIO0z4taYw==",
"dev": true
},
"parallel-transform": {
- "version": "1.1.0",
- "resolved": "https://registry.npmjs.org/parallel-transform/-/parallel-transform-1.1.0.tgz",
- "integrity": "sha1-1BDwZbBdojCB/NEPKIVMKb2jOwY=",
+ "version": "1.2.0",
+ "resolved": "https://registry.npmjs.org/parallel-transform/-/parallel-transform-1.2.0.tgz",
+ "integrity": "sha512-P2vSmIu38uIlvdcU7fDkyrxj33gTUy/ABO5ZUbGowxNCopBq/OoD42bP4UmMrJoPyk4Uqf0mu3mtWBhHCZD8yg==",
"dev": true,
"requires": {
- "cyclist": "~0.2.2",
+ "cyclist": "^1.0.1",
"inherits": "^2.0.3",
"readable-stream": "^2.1.5"
}
},
"parse-asn1": {
- "version": "5.1.4",
- "resolved": "https://registry.npmjs.org/parse-asn1/-/parse-asn1-5.1.4.tgz",
- "integrity": "sha512-Qs5duJcuvNExRfFZ99HDD3z4mAi3r9Wl/FOjEOijlxwCZs7E7mW2vjTpgQ4J8LpTF8x5v+1Vn5UQFejmWT11aw==",
+ "version": "5.1.5",
+ "resolved": "https://registry.npmjs.org/parse-asn1/-/parse-asn1-5.1.5.tgz",
+ "integrity": "sha512-jkMYn1dcJqF6d5CpU689bq7w/b5ALS9ROVSpQDPrZsqqesUJii9qutvoT5ltGedNXMO2e16YUWIghG9KxaViTQ==",
"dev": true,
"requires": {
"asn1.js": "^4.0.0",
"dev": true
},
"path-browserify": {
- "version": "0.0.0",
- "resolved": "https://registry.npmjs.org/path-browserify/-/path-browserify-0.0.0.tgz",
- "integrity": "sha1-oLhwcpquIUAFt9UDLsLLuw+0RRo=",
+ "version": "0.0.1",
+ "resolved": "https://registry.npmjs.org/path-browserify/-/path-browserify-0.0.1.tgz",
+ "integrity": "sha512-BapA40NHICOS+USX9SN4tyhq+A2RrN/Ws5F0Z5aMHDp98Fl86lX8Oti8B7uN93L4Ifv4fHOEA+pQw87gmMO/lQ==",
"dev": true
},
"path-dirname": {
"dev": true
},
"path-exists": {
- "version": "3.0.0",
- "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-3.0.0.tgz",
- "integrity": "sha1-zg6+ql94yxiSXqfYENe1mwEP1RU=",
- "dev": true
+ "version": "2.1.0",
+ "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-2.1.0.tgz",
+ "integrity": "sha1-D+tsZPD8UY2adU3V77YscCJ2H0s=",
+ "dev": true,
+ "requires": {
+ "pinkie-promise": "^2.0.0"
+ }
},
"path-is-absolute": {
"version": "1.0.1",
"dependencies": {
"pify": {
"version": "2.3.0",
- "resolved": "http://registry.npmjs.org/pify/-/pify-2.3.0.tgz",
+ "resolved": "https://registry.npmjs.org/pify/-/pify-2.3.0.tgz",
"integrity": "sha1-7RQaasBDqEnqWISY59yosVMw6Qw=",
"dev": true
}
"integrity": "sha1-Ywn04OX6kT7BxpMHrjZLSzd8nns=",
"dev": true
},
+ "picomatch": {
+ "version": "2.2.1",
+ "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.2.1.tgz",
+ "integrity": "sha512-ISBaA8xQNmwELC7eOjqFKMESB2VIqt4PPDD0nsS95b/9dZXvVKOlz9keMSnoGGKcOHXfTvDD6WMaRoSc9UuhRA==",
+ "dev": true
+ },
"pidtree": {
"version": "0.3.0",
"resolved": "https://registry.npmjs.org/pidtree/-/pidtree-0.3.0.tgz",
"dev": true,
"requires": {
"find-up": "^3.0.0"
+ },
+ "dependencies": {
+ "find-up": {
+ "version": "3.0.0",
+ "resolved": "https://registry.npmjs.org/find-up/-/find-up-3.0.0.tgz",
+ "integrity": "sha512-1yD6RmLI1XBfxugvORwlck6f75tYL+iR0jqwsOrOxMZyGYqUuDhJ0l4AXdO1iX/FTs9cBAMEk1gWSEx1kSbylg==",
+ "dev": true,
+ "requires": {
+ "locate-path": "^3.0.0"
+ }
+ }
}
},
"posix-character-classes": {
"dev": true
},
"postcss": {
- "version": "7.0.16",
- "resolved": "https://registry.npmjs.org/postcss/-/postcss-7.0.16.tgz",
- "integrity": "sha512-MOo8zNSlIqh22Uaa3drkdIAgUGEL+AD1ESiSdmElLUmE2uVDo1QloiT/IfW9qRw8Gw+Y/w69UVMGwbufMSftxA==",
+ "version": "7.0.27",
+ "resolved": "https://registry.npmjs.org/postcss/-/postcss-7.0.27.tgz",
+ "integrity": "sha512-WuQETPMcW9Uf1/22HWUWP9lgsIC+KEHg2kozMflKjbeUtw9ujvFX6QmIfozaErDkmLWS9WEnEdEe6Uo9/BNTdQ==",
"dev": true,
"requires": {
"chalk": "^2.4.2",
}
},
"postcss-modules-local-by-default": {
- "version": "2.0.6",
- "resolved": "https://registry.npmjs.org/postcss-modules-local-by-default/-/postcss-modules-local-by-default-2.0.6.tgz",
- "integrity": "sha512-oLUV5YNkeIBa0yQl7EYnxMgy4N6noxmiwZStaEJUSe2xPMcdNc8WmBQuQCx18H5psYbVxz8zoHk0RAAYZXP9gA==",
+ "version": "3.0.2",
+ "resolved": "https://registry.npmjs.org/postcss-modules-local-by-default/-/postcss-modules-local-by-default-3.0.2.tgz",
+ "integrity": "sha512-jM/V8eqM4oJ/22j0gx4jrp63GSvDH6v86OqyTHHUvk4/k1vceipZsaymiZ5PvocqZOl5SFHiFJqjs3la0wnfIQ==",
"dev": true,
"requires": {
- "postcss": "^7.0.6",
- "postcss-selector-parser": "^6.0.0",
- "postcss-value-parser": "^3.3.1"
+ "icss-utils": "^4.1.1",
+ "postcss": "^7.0.16",
+ "postcss-selector-parser": "^6.0.2",
+ "postcss-value-parser": "^4.0.0"
}
},
"postcss-modules-scope": {
- "version": "2.1.0",
- "resolved": "https://registry.npmjs.org/postcss-modules-scope/-/postcss-modules-scope-2.1.0.tgz",
- "integrity": "sha512-91Rjps0JnmtUB0cujlc8KIKCsJXWjzuxGeT/+Q2i2HXKZ7nBUeF9YQTZZTNvHVoNYj1AthsjnGLtqDUE0Op79A==",
+ "version": "2.1.1",
+ "resolved": "https://registry.npmjs.org/postcss-modules-scope/-/postcss-modules-scope-2.1.1.tgz",
+ "integrity": "sha512-OXRUPecnHCg8b9xWvldG/jUpRIGPNRka0r4D4j0ESUU2/5IOnpsjfPPmDprM3Ih8CgZ8FXjWqaniK5v4rWt3oQ==",
"dev": true,
"requires": {
"postcss": "^7.0.6",
}
},
"postcss-modules-values": {
- "version": "2.0.0",
- "resolved": "https://registry.npmjs.org/postcss-modules-values/-/postcss-modules-values-2.0.0.tgz",
- "integrity": "sha512-Ki7JZa7ff1N3EIMlPnGTZfUMe69FFwiQPnVSXC9mnn3jozCRBYIxiZd44yJOV2AmabOo4qFf8s0dC/+lweG7+w==",
+ "version": "3.0.0",
+ "resolved": "https://registry.npmjs.org/postcss-modules-values/-/postcss-modules-values-3.0.0.tgz",
+ "integrity": "sha512-1//E5jCBrZ9DmRX+zCtmQtRSV6PV42Ix7Bzj9GbwJceduuf7IqP8MgeTXuRDHOWj2m0VzZD5+roFWDuU8RQjcg==",
"dev": true,
"requires": {
- "icss-replace-symbols": "^1.1.0",
+ "icss-utils": "^4.0.0",
"postcss": "^7.0.6"
}
},
}
},
"postcss-value-parser": {
- "version": "3.3.1",
- "resolved": "https://registry.npmjs.org/postcss-value-parser/-/postcss-value-parser-3.3.1.tgz",
- "integrity": "sha512-pISE66AbVkp4fDQ7VHBwRNXzAAKJjw4Vw7nWI/+Q3vuly7SNfgYXvm6i5IgFylHGK5sP/xHAbB7N49OS4gWNyQ==",
+ "version": "4.0.3",
+ "resolved": "https://registry.npmjs.org/postcss-value-parser/-/postcss-value-parser-4.0.3.tgz",
+ "integrity": "sha512-N7h4pG+Nnu5BEIzyeaaIYWs0LI5XC40OrRh5L60z0QjFsqGWcHcbkBvpe1WYpcIS9yQ8sOi/vIPt1ejQCrMVrg==",
"dev": true
},
"prepend-http": {
"dev": true
},
"process-nextick-args": {
- "version": "1.0.7",
- "resolved": "https://registry.npmjs.org/process-nextick-args/-/process-nextick-args-1.0.7.tgz",
- "integrity": "sha1-FQ4gt1ZZCtP5EJPyWk8q2L/zC6M=",
+ "version": "2.0.1",
+ "resolved": "https://registry.npmjs.org/process-nextick-args/-/process-nextick-args-2.0.1.tgz",
+ "integrity": "sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag==",
"dev": true
},
"promise-inflight": {
"dev": true
},
"psl": {
- "version": "1.1.32",
- "resolved": "https://registry.npmjs.org/psl/-/psl-1.1.32.tgz",
- "integrity": "sha512-MHACAkHpihU/REGGPLj4sEfc/XKW2bheigvHO1dUqjaKigMp1C8+WLQYRGgeKFMsw5PMfegZcaN8IDXK/cD0+g==",
+ "version": "1.7.0",
+ "resolved": "https://registry.npmjs.org/psl/-/psl-1.7.0.tgz",
+ "integrity": "sha512-5NsSEDv8zY70ScRnOTn7bK7eanl2MvFrOrS/R6x+dBt5g1ghnj9Zv90kO8GwT8gxcu2ANyFprnFYB85IogIJOQ==",
"dev": true
},
"public-encrypt": {
"parse-asn1": "^5.0.0",
"randombytes": "^2.0.1",
"safe-buffer": "^5.1.2"
- },
- "dependencies": {
- "safe-buffer": {
- "version": "5.1.2",
- "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz",
- "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==",
- "dev": true
- }
}
},
"pump": {
}
},
"punycode": {
- "version": "1.4.1",
- "resolved": "https://registry.npmjs.org/punycode/-/punycode-1.4.1.tgz",
- "integrity": "sha1-wNWmOycYgArY4esPpSachN1BhF4=",
+ "version": "2.1.1",
+ "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz",
+ "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==",
"dev": true
},
"qs": {
"requires": {
"find-up": "^1.0.0",
"read-pkg": "^1.0.0"
- },
- "dependencies": {
- "find-up": {
- "version": "1.1.2",
- "resolved": "https://registry.npmjs.org/find-up/-/find-up-1.1.2.tgz",
- "integrity": "sha1-ay6YIrGizgpgq2TWEOzK1TyyTQ8=",
- "dev": true,
- "requires": {
- "path-exists": "^2.0.0",
- "pinkie-promise": "^2.0.0"
- }
- },
- "path-exists": {
- "version": "2.1.0",
- "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-2.1.0.tgz",
- "integrity": "sha1-D+tsZPD8UY2adU3V77YscCJ2H0s=",
- "dev": true,
- "requires": {
- "pinkie-promise": "^2.0.0"
- }
- }
}
},
"readable-stream": {
- "version": "2.3.3",
- "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-2.3.3.tgz",
- "integrity": "sha512-m+qzzcn7KUxEmd1gMbchF+Y2eIUbieUaxkWtptyHywrX0rE8QEYqPC07Vuy4Wm32/xE16NcdBctb8S0Xe/5IeQ==",
+ "version": "2.3.7",
+ "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-2.3.7.tgz",
+ "integrity": "sha512-Ebho8K4jIbHAxnuxi7o42OrZgF/ZTNcsZj6nRKyUmkhLFq8CHItp/fy6hQZuZmP/n3yZ9VBUbp4zz/mX8hmYPw==",
"dev": true,
"requires": {
"core-util-is": "~1.0.0",
"inherits": "~2.0.3",
"isarray": "~1.0.0",
- "process-nextick-args": "~1.0.6",
+ "process-nextick-args": "~2.0.0",
"safe-buffer": "~5.1.1",
- "string_decoder": "~1.0.3",
+ "string_decoder": "~1.1.1",
"util-deprecate": "~1.0.1"
}
},
"readdirp": {
- "version": "2.2.1",
- "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-2.2.1.tgz",
- "integrity": "sha512-1JU/8q+VgFZyxwrJ+SVIOsh+KywWGpds3NTqikiKpDMZWScmAYyKIgqkO+ARvNWJfXeXR1zxz7aHF4u4CyH6vQ==",
+ "version": "3.3.0",
+ "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.3.0.tgz",
+ "integrity": "sha512-zz0pAkSPOXXm1viEwygWIPSPkcBYjW1xU5j/JBh5t9bGCJwa6f9+BJa6VaB2g+b55yVrmXzqkyLf4xaWYM0IkQ==",
"dev": true,
"requires": {
- "graceful-fs": "^4.1.11",
- "micromatch": "^3.1.10",
- "readable-stream": "^2.0.2"
+ "picomatch": "^2.0.7"
}
},
"redent": {
"dev": true
},
"repeat-element": {
- "version": "1.1.2",
- "resolved": "https://registry.npmjs.org/repeat-element/-/repeat-element-1.1.2.tgz",
- "integrity": "sha1-7wiaF40Ug7quTZPrmLT55OEdmQo=",
+ "version": "1.1.3",
+ "resolved": "https://registry.npmjs.org/repeat-element/-/repeat-element-1.1.3.tgz",
+ "integrity": "sha512-ahGq0ZnV5m5XtZLMb+vP76kcAM5nkLqk0lpqAuojSKGgQtn4eRi4ZZGm2olo2zKFH+sMsWaqOCW1dqAnOru72g==",
"dev": true
},
"repeat-string": {
}
},
"request": {
- "version": "2.88.0",
- "resolved": "https://registry.npmjs.org/request/-/request-2.88.0.tgz",
- "integrity": "sha512-NAqBSrijGLZdM0WZNsInLJpkJokL72XYjUpnB0iwsRgxh7dB6COrHnTBNwN0E+lHDAJzu7kLAkDeY08z2/A0hg==",
+ "version": "2.88.2",
+ "resolved": "https://registry.npmjs.org/request/-/request-2.88.2.tgz",
+ "integrity": "sha512-MsvtOrfG9ZcrOwAW+Qi+F6HbD0CWXEh9ou77uOb7FM2WPhwT7smM833PzanhJLsgXjN89Ir6V2PczXNnMpwKhw==",
"dev": true,
"requires": {
"aws-sign2": "~0.7.0",
"extend": "~3.0.2",
"forever-agent": "~0.6.1",
"form-data": "~2.3.2",
- "har-validator": "~5.1.0",
+ "har-validator": "~5.1.3",
"http-signature": "~1.2.0",
"is-typedarray": "~1.0.0",
"isstream": "~0.1.2",
"performance-now": "^2.1.0",
"qs": "~6.5.2",
"safe-buffer": "^5.1.2",
- "tough-cookie": "~2.4.3",
+ "tough-cookie": "~2.5.0",
"tunnel-agent": "^0.6.0",
"uuid": "^3.3.2"
- },
- "dependencies": {
- "safe-buffer": {
- "version": "5.1.2",
- "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz",
- "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==",
- "dev": true
- }
}
},
"require-directory": {
"requires": {
"expand-tilde": "^2.0.0",
"global-modules": "^1.0.0"
+ },
+ "dependencies": {
+ "global-modules": {
+ "version": "1.0.0",
+ "resolved": "https://registry.npmjs.org/global-modules/-/global-modules-1.0.0.tgz",
+ "integrity": "sha512-sKzpEkf11GpOFuw0Zzjzmt4B4UZwjOcG757PPvrfhxcLFbq0wpsgpOqxpxtxFiCG4DtG93M6XRVbF2oGdev7bg==",
+ "dev": true,
+ "requires": {
+ "global-prefix": "^1.0.1",
+ "is-windows": "^1.0.1",
+ "resolve-dir": "^1.0.0"
+ }
+ }
}
},
"resolve-from": {
"dev": true
},
"rimraf": {
- "version": "2.6.2",
- "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-2.6.2.tgz",
- "integrity": "sha512-lreewLK/BlghmxtfH36YYVg1i8IAce4TI7oao75I1g245+6BctqTVQiBP3YUJ9C6DQOXJmkYR9X9fCLtCOJc5w==",
+ "version": "2.7.1",
+ "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-2.7.1.tgz",
+ "integrity": "sha512-uWjbaKIK3T1OSVptzX7Nl6PvQ3qAGtKEtVRjRuazjfL3Bx5eI409VZSqgND+4UNnmzLVdPj9FqFJNPqBZFve4w==",
"dev": true,
"requires": {
- "glob": "^7.0.5"
+ "glob": "^7.1.3"
}
},
"ripemd160": {
}
},
"safe-buffer": {
- "version": "5.1.1",
- "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.1.tgz",
- "integrity": "sha512-kKvNJn6Mm93gAczWVJg7wH+wGYWNrDHdWvpUmHyEsgCtIwwo3bqPtV4tR5tuPaUhTOo/kvhVwd8XwwOllGYkbg==",
+ "version": "5.1.2",
+ "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz",
+ "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==",
"dev": true
},
"safe-regex": {
"version": "1.1.0",
- "resolved": "http://registry.npmjs.org/safe-regex/-/safe-regex-1.1.0.tgz",
+ "resolved": "https://registry.npmjs.org/safe-regex/-/safe-regex-1.1.0.tgz",
"integrity": "sha1-QKNmnzsHfR6UPURinhV91IAjvy4=",
"dev": true,
"requires": {
}
},
"sass-loader": {
- "version": "7.1.0",
- "resolved": "https://registry.npmjs.org/sass-loader/-/sass-loader-7.1.0.tgz",
- "integrity": "sha512-+G+BKGglmZM2GUSfT9TLuEp6tzehHPjAMoRRItOojWIqIGPloVCMhNIQuG639eJ+y033PaGTSjLaTHts8Kw79w==",
+ "version": "8.0.2",
+ "resolved": "https://registry.npmjs.org/sass-loader/-/sass-loader-8.0.2.tgz",
+ "integrity": "sha512-7o4dbSK8/Ol2KflEmSco4jTjQoV988bM82P9CZdmo9hR3RLnvNc0ufMNdMrB0caq38JQ/FgF4/7RcbcfKzxoFQ==",
"dev": true,
"requires": {
- "clone-deep": "^2.0.1",
- "loader-utils": "^1.0.1",
- "lodash.tail": "^4.1.1",
- "neo-async": "^2.5.0",
- "pify": "^3.0.0",
- "semver": "^5.5.0"
+ "clone-deep": "^4.0.1",
+ "loader-utils": "^1.2.3",
+ "neo-async": "^2.6.1",
+ "schema-utils": "^2.6.1",
+ "semver": "^6.3.0"
+ },
+ "dependencies": {
+ "semver": {
+ "version": "6.3.0",
+ "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.0.tgz",
+ "integrity": "sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==",
+ "dev": true
+ }
}
},
"schema-utils": {
- "version": "1.0.0",
- "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-1.0.0.tgz",
- "integrity": "sha512-i27Mic4KovM/lnGsy8whRCHhc7VicJajAjTrYg11K9zfZXnYIt4k5F+kZkwjnrhKzLic/HLU4j11mjsz2G/75g==",
+ "version": "2.6.5",
+ "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-2.6.5.tgz",
+ "integrity": "sha512-5KXuwKziQrTVHh8j/Uxz+QUbxkaLW9X/86NBlx/gnKgtsZA2GIVMUn17qWhRFwF8jdYb3Dig5hRO/W5mZqy6SQ==",
"dev": true,
"requires": {
- "ajv": "^6.1.0",
- "ajv-errors": "^1.0.0",
- "ajv-keywords": "^3.1.0"
+ "ajv": "^6.12.0",
+ "ajv-keywords": "^3.4.1"
+ },
+ "dependencies": {
+ "ajv": {
+ "version": "6.12.0",
+ "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.0.tgz",
+ "integrity": "sha512-D6gFiFA0RRLyUbvijN74DWAjXSFxWKaWP7mldxkVhyhAV3+SWA9HEJPHQ2c9soIeTFJqcSdFDGFgdqs1iUU2Hw==",
+ "dev": true,
+ "requires": {
+ "fast-deep-equal": "^3.1.1",
+ "fast-json-stable-stringify": "^2.0.0",
+ "json-schema-traverse": "^0.4.1",
+ "uri-js": "^4.2.2"
+ }
+ },
+ "fast-deep-equal": {
+ "version": "3.1.1",
+ "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.1.tgz",
+ "integrity": "sha512-8UEa58QDLauDNfpbrX55Q9jrGHThw2ZMdOky5Gl1CDtVeJDPVrG4Jxx1N8jw2gkWaff5UUuX1KJd+9zGe2B+ZA==",
+ "dev": true
+ }
}
},
"scss-tokenizer": {
"dev": true
},
"serialize-javascript": {
- "version": "1.7.0",
- "resolved": "https://registry.npmjs.org/serialize-javascript/-/serialize-javascript-1.7.0.tgz",
- "integrity": "sha512-ke8UG8ulpFOxO8f8gRYabHQe/ZntKlcig2Mp+8+URDP1D8vJZ0KUt7LYo07q25Z/+JVSgpr/cui9PIp5H6/+nA==",
+ "version": "2.1.2",
+ "resolved": "https://registry.npmjs.org/serialize-javascript/-/serialize-javascript-2.1.2.tgz",
+ "integrity": "sha512-rs9OggEUF0V4jUSecXazOYsLfu7OGK2qIn3c7IPBiffz32XniEp/TX9Xmc9LQfK2nQ2QKHvZ2oygKUGU0lG4jQ==",
"dev": true
},
"set-blocking": {
},
"sha.js": {
"version": "2.4.11",
- "resolved": "http://registry.npmjs.org/sha.js/-/sha.js-2.4.11.tgz",
+ "resolved": "https://registry.npmjs.org/sha.js/-/sha.js-2.4.11.tgz",
"integrity": "sha512-QMEp5B7cftE7APOjk5Y6xgrbWu+WkLVQwk8JNjZ8nKRciZaByEW6MubieAiToS7+dwvrjGhH8jRXz3MVd0AYqQ==",
"dev": true,
"requires": {
}
},
"shallow-clone": {
- "version": "1.0.0",
- "resolved": "https://registry.npmjs.org/shallow-clone/-/shallow-clone-1.0.0.tgz",
- "integrity": "sha512-oeXreoKR/SyNJtRJMAKPDSvd28OqEwG4eR/xc856cRGBII7gX9lvAqDxusPm0846z/w/hWYjI1NpKwJ00NHzRA==",
+ "version": "3.0.1",
+ "resolved": "https://registry.npmjs.org/shallow-clone/-/shallow-clone-3.0.1.tgz",
+ "integrity": "sha512-/6KqX+GVUdqPuPPd2LxDDxzX6CAbjJehAAOKlNpqqUpAqPM6HeL8f+o3a+JsyGjn2lv0WY8UsTgUJjU9Ok55NA==",
"dev": true,
"requires": {
- "is-extendable": "^0.1.1",
- "kind-of": "^5.0.0",
- "mixin-object": "^2.0.1"
- },
- "dependencies": {
- "kind-of": {
- "version": "5.1.0",
- "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-5.1.0.tgz",
- "integrity": "sha512-NGEErnH6F2vUuXDh+OlbcKW7/wOcfdRHaZ7VWtqCztfHri/++YKmP51OdWeGPuqCOba6kk2OTe5d02VmTB80Pw==",
- "dev": true
- }
+ "kind-of": "^6.0.2"
}
},
"shebang-command": {
"is-data-descriptor": "^1.0.0",
"kind-of": "^6.0.2"
}
- },
- "kind-of": {
- "version": "6.0.2",
- "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.2.tgz",
- "integrity": "sha512-s5kLOcnH0XqDO+FvuaLX8DDjZ18CGFk7VygH40QoKPUQhW4e2rvM0rwUq0t8IQDOwYSeLK01U90OjzBTme2QqA==",
- "dev": true
}
}
},
"dev": true,
"requires": {
"kind-of": "^3.2.0"
+ },
+ "dependencies": {
+ "kind-of": {
+ "version": "3.2.2",
+ "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz",
+ "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=",
+ "dev": true,
+ "requires": {
+ "is-buffer": "^1.1.5"
+ }
+ }
}
},
"sort-keys": {
}
},
"sortablejs": {
- "version": "1.9.0",
- "resolved": "https://registry.npmjs.org/sortablejs/-/sortablejs-1.9.0.tgz",
- "integrity": "sha512-Ot6bYJ6PoqPmpsqQYXjn1+RKrY2NWQvQt/o4jfd/UYwVWndyO5EPO8YHbnm5HIykf8ENsm4JUrdAvolPT86yYA=="
+ "version": "1.10.2",
+ "resolved": "https://registry.npmjs.org/sortablejs/-/sortablejs-1.10.2.tgz",
+ "integrity": "sha512-YkPGufevysvfwn5rfdlGyrGjt7/CRHwvRPogD/lC+TnvcN29jDpCifKP+rBqf+LRldfXSTh+0CGLcSg0VIxq3A=="
},
"source-list-map": {
- "version": "2.0.0",
- "resolved": "https://registry.npmjs.org/source-list-map/-/source-list-map-2.0.0.tgz",
- "integrity": "sha512-I2UmuJSRr/T8jisiROLU3A3ltr+swpniSmNPI4Ml3ZCX6tVnDsuZzK7F2hl5jTqbZBWCEKlj5HRQiPExXLgE8A==",
+ "version": "2.0.1",
+ "resolved": "https://registry.npmjs.org/source-list-map/-/source-list-map-2.0.1.tgz",
+ "integrity": "sha512-qnQ7gVMxGNxsiL4lEuJwe/To8UnK7fAnmbGEEH8RpLouuKbeEm0lhbQVFIrNSuB+G7tVrAlVsZgETT5nljf+Iw==",
"dev": true
},
"source-map": {
"dev": true
},
"source-map-resolve": {
- "version": "0.5.2",
- "resolved": "https://registry.npmjs.org/source-map-resolve/-/source-map-resolve-0.5.2.tgz",
- "integrity": "sha512-MjqsvNwyz1s0k81Goz/9vRBe9SZdB09Bdw+/zYyO+3CuPk6fouTaxscHkgtE8jKvf01kVfl8riHzERQ/kefaSA==",
+ "version": "0.5.3",
+ "resolved": "https://registry.npmjs.org/source-map-resolve/-/source-map-resolve-0.5.3.tgz",
+ "integrity": "sha512-Htz+RnsXWk5+P2slx5Jh3Q66vhQj1Cllm0zvnaY98+NFx+Dv2CF/f5O/t8x+KaNdrdIAsruNzoh/KpialbqAnw==",
"dev": true,
"requires": {
- "atob": "^2.1.1",
+ "atob": "^2.1.2",
"decode-uri-component": "^0.2.0",
"resolve-url": "^0.2.1",
"source-map-url": "^0.4.0",
}
},
"source-map-support": {
- "version": "0.5.12",
- "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.12.tgz",
- "integrity": "sha512-4h2Pbvyy15EE02G+JOZpUCmqWJuqrs+sEkzewTm++BPi7Hvn/HwcqLAcNxYAyI0x13CpPPn+kMjl+hplXMHITQ==",
+ "version": "0.5.16",
+ "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.16.tgz",
+ "integrity": "sha512-efyLRJDr68D9hBBNIPWFjhpFzURh+KJykQwvMyW5UiZzYwoF6l4YMMDIJJEyFWxWCqfyxLzz6tSfUFR+kXXsVQ==",
"dev": true,
"requires": {
"buffer-from": "^1.0.0",
"readable-stream": "^2.3.6",
"to-arraybuffer": "^1.0.0",
"xtend": "^4.0.0"
- },
- "dependencies": {
- "process-nextick-args": {
- "version": "2.0.0",
- "resolved": "https://registry.npmjs.org/process-nextick-args/-/process-nextick-args-2.0.0.tgz",
- "integrity": "sha512-MtEC1TqN0EU5nephaJ4rAtThHtC86dNN9qCuEhtshvpVBkAW5ZO7BASN9REnF9eoXGcRub+pFuKEpOHE+HbEMw==",
- "dev": true
- },
- "readable-stream": {
- "version": "2.3.6",
- "resolved": "http://registry.npmjs.org/readable-stream/-/readable-stream-2.3.6.tgz",
- "integrity": "sha512-tQtKA9WIAhBF3+VLAseyMqZeBjW0AHJoxOtYqSUZNJxauErmLbVm2FW1y+J/YA9dUrAC39ITejlZWhVIwawkKw==",
- "dev": true,
- "requires": {
- "core-util-is": "~1.0.0",
- "inherits": "~2.0.3",
- "isarray": "~1.0.0",
- "process-nextick-args": "~2.0.0",
- "safe-buffer": "~5.1.1",
- "string_decoder": "~1.1.1",
- "util-deprecate": "~1.0.1"
- }
- },
- "string_decoder": {
- "version": "1.1.1",
- "resolved": "http://registry.npmjs.org/string_decoder/-/string_decoder-1.1.1.tgz",
- "integrity": "sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg==",
- "dev": true,
- "requires": {
- "safe-buffer": "~5.1.0"
- }
- }
}
},
"stream-shift": {
- "version": "1.0.0",
- "resolved": "https://registry.npmjs.org/stream-shift/-/stream-shift-1.0.0.tgz",
- "integrity": "sha1-1cdSgl5TZ+eG944Y5EXqIjoVWVI=",
+ "version": "1.0.1",
+ "resolved": "https://registry.npmjs.org/stream-shift/-/stream-shift-1.0.1.tgz",
+ "integrity": "sha512-AiisoFqQ0vbGcZgQPY1cdP2I76glaVA/RauYR4G4thNFgkTqr90yXTo4LYX60Jl+sIlPNHHdGSwo01AvbKUSVQ==",
"dev": true
},
"strict-uri-encode": {
}
},
"string_decoder": {
- "version": "1.0.3",
- "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.0.3.tgz",
- "integrity": "sha512-4AH6Z5fzNNBcH+6XDMfA/BTt87skxqJlO0lAh3Dker5zThcAxG6mKz+iGu308UKoPPQ8Dcqx/4JhujzltRa+hQ==",
+ "version": "1.1.1",
+ "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.1.1.tgz",
+ "integrity": "sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg==",
"dev": true,
"requires": {
"safe-buffer": "~5.1.0"
}
},
"style-loader": {
- "version": "0.23.1",
- "resolved": "https://registry.npmjs.org/style-loader/-/style-loader-0.23.1.tgz",
- "integrity": "sha512-XK+uv9kWwhZMZ1y7mysB+zoihsEj4wneFWAS5qoiLwzW0WzSqMrrsIy+a3zkQJq0ipFtBpX5W3MqyRIBF/WFGg==",
+ "version": "1.1.3",
+ "resolved": "https://registry.npmjs.org/style-loader/-/style-loader-1.1.3.tgz",
+ "integrity": "sha512-rlkH7X/22yuwFYK357fMN/BxYOorfnfq0eD7+vqlemSK4wEcejFF1dg4zxP0euBW8NrYx2WZzZ8PPFevr7D+Kw==",
"dev": true,
"requires": {
- "loader-utils": "^1.1.0",
- "schema-utils": "^1.0.0"
+ "loader-utils": "^1.2.3",
+ "schema-utils": "^2.6.4"
}
},
"supports-color": {
}
},
"terser": {
- "version": "4.0.0",
- "resolved": "https://registry.npmjs.org/terser/-/terser-4.0.0.tgz",
- "integrity": "sha512-dOapGTU0hETFl1tCo4t56FN+2jffoKyER9qBGoUFyZ6y7WLoKT0bF+lAYi6B6YsILcGF3q1C2FBh8QcKSCgkgA==",
+ "version": "4.6.6",
+ "resolved": "https://registry.npmjs.org/terser/-/terser-4.6.6.tgz",
+ "integrity": "sha512-4lYPyeNmstjIIESr/ysHg2vUPRGf2tzF9z2yYwnowXVuVzLEamPN1Gfrz7f8I9uEPuHcbFlW4PLIAsJoxXyJ1g==",
"dev": true,
"requires": {
- "commander": "^2.19.0",
+ "commander": "^2.20.0",
"source-map": "~0.6.1",
- "source-map-support": "~0.5.10"
+ "source-map-support": "~0.5.12"
}
},
"terser-webpack-plugin": {
- "version": "1.3.0",
- "resolved": "https://registry.npmjs.org/terser-webpack-plugin/-/terser-webpack-plugin-1.3.0.tgz",
- "integrity": "sha512-W2YWmxPjjkUcOWa4pBEv4OP4er1aeQJlSo2UhtCFQCuRXEHjOFscO8VyWHj9JLlA0RzQb8Y2/Ta78XZvT54uGg==",
+ "version": "1.4.3",
+ "resolved": "https://registry.npmjs.org/terser-webpack-plugin/-/terser-webpack-plugin-1.4.3.tgz",
+ "integrity": "sha512-QMxecFz/gHQwteWwSo5nTc6UaICqN1bMedC5sMtUc7y3Ha3Q8y6ZO0iCR8pq4RJC8Hjf0FEPEHZqcMB/+DFCrA==",
"dev": true,
"requires": {
- "cacache": "^11.3.2",
- "find-cache-dir": "^2.0.0",
+ "cacache": "^12.0.2",
+ "find-cache-dir": "^2.1.0",
"is-wsl": "^1.1.0",
- "loader-utils": "^1.2.3",
"schema-utils": "^1.0.0",
- "serialize-javascript": "^1.7.0",
+ "serialize-javascript": "^2.1.2",
"source-map": "^0.6.1",
- "terser": "^4.0.0",
- "webpack-sources": "^1.3.0",
+ "terser": "^4.1.2",
+ "webpack-sources": "^1.4.0",
"worker-farm": "^1.7.0"
},
"dependencies": {
- "big.js": {
- "version": "5.2.2",
- "resolved": "https://registry.npmjs.org/big.js/-/big.js-5.2.2.tgz",
- "integrity": "sha512-vyL2OymJxmarO8gxMr0mhChsO9QGwhynfuu4+MHTAW6czfq9humCB7rKpUjDd9YUiDPU4mzpyupFSvOClAwbmQ==",
- "dev": true
- },
- "json5": {
- "version": "1.0.1",
- "resolved": "https://registry.npmjs.org/json5/-/json5-1.0.1.tgz",
- "integrity": "sha512-aKS4WQjPenRxiQsC93MNfjx+nbF4PAdYzmd/1JIj8HYzqfbu86beTuNgXDzPknWk0n0uARlyewZo4s++ES36Ow==",
- "dev": true,
- "requires": {
- "minimist": "^1.2.0"
- }
- },
- "loader-utils": {
- "version": "1.2.3",
- "resolved": "https://registry.npmjs.org/loader-utils/-/loader-utils-1.2.3.tgz",
- "integrity": "sha512-fkpz8ejdnEMG3s37wGL07iSBDg99O9D5yflE9RGNH3hRdx9SOwYfnGYdZOUIZitN8E+E2vkq3MUMYMvPYl5ZZA==",
+ "schema-utils": {
+ "version": "1.0.0",
+ "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-1.0.0.tgz",
+ "integrity": "sha512-i27Mic4KovM/lnGsy8whRCHhc7VicJajAjTrYg11K9zfZXnYIt4k5F+kZkwjnrhKzLic/HLU4j11mjsz2G/75g==",
"dev": true,
"requires": {
- "big.js": "^5.2.2",
- "emojis-list": "^2.0.0",
- "json5": "^1.0.1"
+ "ajv": "^6.1.0",
+ "ajv-errors": "^1.0.0",
+ "ajv-keywords": "^3.1.0"
}
- },
- "minimist": {
- "version": "1.2.0",
- "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.0.tgz",
- "integrity": "sha1-o1AIsg9BOD7sH7kU9M1d95omQoQ=",
- "dev": true
}
}
},
"requires": {
"readable-stream": "~2.3.6",
"xtend": "~4.0.1"
- },
- "dependencies": {
- "process-nextick-args": {
- "version": "2.0.0",
- "resolved": "https://registry.npmjs.org/process-nextick-args/-/process-nextick-args-2.0.0.tgz",
- "integrity": "sha512-MtEC1TqN0EU5nephaJ4rAtThHtC86dNN9qCuEhtshvpVBkAW5ZO7BASN9REnF9eoXGcRub+pFuKEpOHE+HbEMw==",
- "dev": true
- },
- "readable-stream": {
- "version": "2.3.6",
- "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-2.3.6.tgz",
- "integrity": "sha512-tQtKA9WIAhBF3+VLAseyMqZeBjW0AHJoxOtYqSUZNJxauErmLbVm2FW1y+J/YA9dUrAC39ITejlZWhVIwawkKw==",
- "dev": true,
- "requires": {
- "core-util-is": "~1.0.0",
- "inherits": "~2.0.3",
- "isarray": "~1.0.0",
- "process-nextick-args": "~2.0.0",
- "safe-buffer": "~5.1.1",
- "string_decoder": "~1.1.1",
- "util-deprecate": "~1.0.1"
- }
- },
- "string_decoder": {
- "version": "1.1.1",
- "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.1.1.tgz",
- "integrity": "sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg==",
- "dev": true,
- "requires": {
- "safe-buffer": "~5.1.0"
- }
- }
}
},
"timers-browserify": {
- "version": "2.0.10",
- "resolved": "https://registry.npmjs.org/timers-browserify/-/timers-browserify-2.0.10.tgz",
- "integrity": "sha512-YvC1SV1XdOUaL6gx5CoGroT3Gu49pK9+TZ38ErPldOWW4j49GI1HKs9DV+KGq/w6y+LZ72W1c8cKz2vzY+qpzg==",
+ "version": "2.0.11",
+ "resolved": "https://registry.npmjs.org/timers-browserify/-/timers-browserify-2.0.11.tgz",
+ "integrity": "sha512-60aV6sgJ5YEbzUdn9c8kYGIqOubPoUdqQCul3SBAsRCZ40s6Y5cMcrW4dt3/k/EsbLVJNl9n6Vz3fTc+k2GeKQ==",
"dev": true,
"requires": {
"setimmediate": "^1.0.4"
}
},
"tiny-emitter": {
- "version": "2.0.2",
- "resolved": "https://registry.npmjs.org/tiny-emitter/-/tiny-emitter-2.0.2.tgz",
- "integrity": "sha512-2NM0auVBGft5tee/OxP4PI3d8WItkDM+fPnaRAVo6xTDI2knbz9eC5ArWGqtGlYqiH3RU5yMpdyTTO7MguC4ow=="
+ "version": "2.1.0",
+ "resolved": "https://registry.npmjs.org/tiny-emitter/-/tiny-emitter-2.1.0.tgz",
+ "integrity": "sha512-NB6Dk1A9xgQPMoGqC5CVXn123gWyte215ONT5Pp5a0yt4nlEoO1ZWeCwpncaekPHXO60i47ihFnZPiRPjRMq4Q=="
},
"to-arraybuffer": {
"version": "1.0.1",
"dev": true,
"requires": {
"kind-of": "^3.0.2"
+ },
+ "dependencies": {
+ "kind-of": {
+ "version": "3.2.2",
+ "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz",
+ "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=",
+ "dev": true,
+ "requires": {
+ "is-buffer": "^1.1.5"
+ }
+ }
}
},
"to-regex": {
}
},
"to-regex-range": {
- "version": "2.1.1",
- "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-2.1.1.tgz",
- "integrity": "sha1-fIDBe53+vlmeJzZ+DU3VWQFB2zg=",
+ "version": "5.0.1",
+ "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz",
+ "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==",
"dev": true,
"requires": {
- "is-number": "^3.0.0",
- "repeat-string": "^1.6.1"
+ "is-number": "^7.0.0"
}
},
"tough-cookie": {
- "version": "2.4.3",
- "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-2.4.3.tgz",
- "integrity": "sha512-Q5srk/4vDM54WJsJio3XNn6K2sCG+CQ8G5Wz6bZhRZoAe/+TxjWB/GlFAnYEbkYVlON9FMk/fE3h2RLpPXo4lQ==",
+ "version": "2.5.0",
+ "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-2.5.0.tgz",
+ "integrity": "sha512-nlLsUzgm1kfLXSXfRZMc1KLAugd4hqJHDTvc2hDIwS3mZAfMEuMbc03SujMF+GEcpaX/qboeycw6iO8JwVv2+g==",
"dev": true,
"requires": {
- "psl": "^1.1.24",
- "punycode": "^1.4.1"
+ "psl": "^1.1.28",
+ "punycode": "^2.1.1"
}
},
"trim-newlines": {
}
},
"tslib": {
- "version": "1.9.3",
- "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.9.3.tgz",
- "integrity": "sha512-4krF8scpejhaOgqzBEcGM7yDIEfi0/8+8zDRZhNZZ2kjmHJ4hv3zCbQWxoJGz1iw5U0Jl0nma13xzHXcncMavQ==",
+ "version": "1.11.1",
+ "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.11.1.tgz",
+ "integrity": "sha512-aZW88SY8kQbU7gpV19lN24LtXh/yD4ZZg6qieAJDDg+YBsJcSmLGK9QpnUjAKVG/xefmvJGd1WUmfpT/g6AJGA==",
"dev": true
},
"tty-browserify": {
"dev": true
},
"uc.micro": {
- "version": "1.0.5",
- "resolved": "https://registry.npmjs.org/uc.micro/-/uc.micro-1.0.5.tgz",
- "integrity": "sha512-JoLI4g5zv5qNyT09f4YAvEZIIV1oOjqnewYg5D38dkQljIzpPT296dbIGvKro3digYI1bkb7W6EP1y4uDlmzLg=="
- },
- "ultron": {
- "version": "1.0.2",
- "resolved": "https://registry.npmjs.org/ultron/-/ultron-1.0.2.tgz",
- "integrity": "sha1-rOEWq1V80Zc4ak6I9GhTeMiy5Po=",
- "dev": true
+ "version": "1.0.6",
+ "resolved": "https://registry.npmjs.org/uc.micro/-/uc.micro-1.0.6.tgz",
+ "integrity": "sha512-8Y75pvTYkLJW2hWQHXxoqRgV7qb9B+9vFEtidML+7koHUFapnVJAZ6cKs+Qjz5Aw3aZWHMC6u0wJE3At+nSGwA=="
},
"union-value": {
"version": "1.0.1",
}
},
"unique-slug": {
- "version": "2.0.1",
- "resolved": "https://registry.npmjs.org/unique-slug/-/unique-slug-2.0.1.tgz",
- "integrity": "sha512-n9cU6+gITaVu7VGj1Z8feKMmfAjEAQGhwD9fE3zvpRRa0wEIx8ODYkVGfSc94M2OX00tUFV8wH3zYbm1I8mxFg==",
+ "version": "2.0.2",
+ "resolved": "https://registry.npmjs.org/unique-slug/-/unique-slug-2.0.2.tgz",
+ "integrity": "sha512-zoWr9ObaxALD3DOPfjPSqxt4fnZiWblxHIgeWqW8x7UqDzEtHEQLzji2cuJYQFCU6KmoJikOYAZlrTHHebjx2w==",
"dev": true,
"requires": {
"imurmurhash": "^0.1.4"
}
},
"upath": {
- "version": "1.1.2",
- "resolved": "https://registry.npmjs.org/upath/-/upath-1.1.2.tgz",
- "integrity": "sha512-kXpym8nmDmlCBr7nKdIx8P2jNBa+pBpIUFRnKJ4dr8htyYGJFokkr2ZvERRtUN+9SY+JqXouNgUPtv6JQva/2Q==",
+ "version": "1.2.0",
+ "resolved": "https://registry.npmjs.org/upath/-/upath-1.2.0.tgz",
+ "integrity": "sha512-aZwGpamFO61g3OlfT7OQCHqhGnW43ieH9WZeP7QxN/G/jS4jfqUkZxoryvJgVPEcrl5NL/ggHsSmLMHuH64Lhg==",
"dev": true
},
"uri-js": {
"dev": true,
"requires": {
"punycode": "^2.1.0"
- },
- "dependencies": {
- "punycode": {
- "version": "2.1.1",
- "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz",
- "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==",
- "dev": true
- }
}
},
"urix": {
"dev": true,
"requires": {
"inherits": "2.0.3"
+ },
+ "dependencies": {
+ "inherits": {
+ "version": "2.0.3",
+ "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.3.tgz",
+ "integrity": "sha1-Yzwsg+PaQqUC9SRmAiSA9CCCYd4=",
+ "dev": true
+ }
}
},
"util-deprecate": {
"dev": true
},
"uuid": {
- "version": "3.3.2",
- "resolved": "https://registry.npmjs.org/uuid/-/uuid-3.3.2.tgz",
- "integrity": "sha512-yXJmeNaw3DnnKAOKJE51sL/ZaYfWJRl1pK9dr19YFCu0ObS231AB1/LbqTKRAQ5kw8A90rA6fr4riOUpTZvQZA==",
+ "version": "3.4.0",
+ "resolved": "https://registry.npmjs.org/uuid/-/uuid-3.4.0.tgz",
+ "integrity": "sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A==",
"dev": true
},
"v8-compile-cache": {
}
},
"vm-browserify": {
- "version": "0.0.4",
- "resolved": "https://registry.npmjs.org/vm-browserify/-/vm-browserify-0.0.4.tgz",
- "integrity": "sha1-XX6kW7755Kb/ZflUOOCofDV9WnM=",
- "dev": true,
- "requires": {
- "indexof": "0.0.1"
- }
+ "version": "1.1.2",
+ "resolved": "https://registry.npmjs.org/vm-browserify/-/vm-browserify-1.1.2.tgz",
+ "integrity": "sha512-2ham8XPWTONajOR0ohOKOHXkm3+gaBmGut3SRuu75xLd/RRaY6vqgh8NBYYk7+RW3u5AtzPQZG8F10LHkl0lAQ==",
+ "dev": true
},
"vue": {
- "version": "2.6.10",
- "resolved": "https://registry.npmjs.org/vue/-/vue-2.6.10.tgz",
- "integrity": "sha512-ImThpeNU9HbdZL3utgMCq0oiMzAkt1mcgy3/E6zWC/G6AaQoeuFdsl9nDhTDU3X1R6FK7nsIUuRACVcjI+A2GQ=="
+ "version": "2.6.11",
+ "resolved": "https://registry.npmjs.org/vue/-/vue-2.6.11.tgz",
+ "integrity": "sha512-VfPwgcGABbGAue9+sfrD4PuwFar7gPb1yl1UK1MwXoQPAw0BKSqWfoYCT/ThFrdEVWoI51dBuyCoiNU9bZDZxQ=="
},
"vuedraggable": {
- "version": "2.21.0",
- "resolved": "https://registry.npmjs.org/vuedraggable/-/vuedraggable-2.21.0.tgz",
- "integrity": "sha512-UDp0epjaZikuInoJA9rlEIJaSTQThabq0R9x7TqBdl0qGVFKKzo6glP6ubfzWBmV4iRIfbSOs2DV06s3B5h5tA==",
+ "version": "2.23.2",
+ "resolved": "https://registry.npmjs.org/vuedraggable/-/vuedraggable-2.23.2.tgz",
+ "integrity": "sha512-PgHCjUpxEAEZJq36ys49HfQmXglattf/7ofOzUrW2/rRdG7tu6fK84ir14t1jYv4kdXewTEa2ieKEAhhEMdwkQ==",
"requires": {
- "sortablejs": "^1.9.0"
+ "sortablejs": "^1.10.1"
}
},
"watchpack": {
"neo-async": "^2.5.0"
},
"dependencies": {
- "is-accessor-descriptor": {
- "version": "1.0.0",
- "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-1.0.0.tgz",
- "integrity": "sha512-m5hnHTkcVsPfqx3AKlyttIPb7J+XykHvJP2B9bZDjlhLIoEq4XoK64Vg7boZlVWYK6LUY94dYPEE7Lh0ZkZKcQ==",
- "requires": {
- "kind-of": "^6.0.0"
- }
- },
- "is-data-descriptor": {
- "version": "1.0.0",
- "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-1.0.0.tgz",
- "integrity": "sha512-jbRXy1FmtAoCjQkVmIVYwuuqDFUbaOeDjmed1tOGPrsMhtJA4rD9tkgA0F1qJ3gRFRXcHYVkdeaP50Q5rE/jLQ==",
- "requires": {
- "kind-of": "^6.0.0"
- }
- },
- "is-descriptor": {
- "version": "1.0.2",
- "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-1.0.2.tgz",
- "integrity": "sha512-2eis5WqQGV7peooDyLmNEPUrps9+SXX5c9pL3xEB+4e9HnGuDa7mB7kHxHw4CbqS9k1T2hOH3miL8n8WtiYVtg==",
- "requires": {
- "is-accessor-descriptor": "^1.0.0",
- "is-data-descriptor": "^1.0.0",
- "kind-of": "^6.0.2"
- }
- },
- "kind-of": {
- "version": "6.0.2",
- "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.2.tgz",
- "integrity": "sha512-s5kLOcnH0XqDO+FvuaLX8DDjZ18CGFk7VygH40QoKPUQhW4e2rvM0rwUq0t8IQDOwYSeLK01U90OjzBTme2QqA=="
- }
- }
- },
- "webpack": {
- "version": "4.32.2",
- "resolved": "https://registry.npmjs.org/webpack/-/webpack-4.32.2.tgz",
- "integrity": "sha512-F+H2Aa1TprTQrpodRAWUMJn7A8MgDx82yQiNvYMaj3d1nv3HetKU0oqEulL9huj8enirKi8KvEXQ3QtuHF89Zg==",
- "dev": true,
- "requires": {
- "@webassemblyjs/ast": "1.8.5",
- "@webassemblyjs/helper-module-context": "1.8.5",
- "@webassemblyjs/wasm-edit": "1.8.5",
- "@webassemblyjs/wasm-parser": "1.8.5",
- "acorn": "^6.0.5",
- "acorn-dynamic-import": "^4.0.0",
- "ajv": "^6.1.0",
- "ajv-keywords": "^3.1.0",
- "chrome-trace-event": "^1.0.0",
- "enhanced-resolve": "^4.1.0",
- "eslint-scope": "^4.0.0",
- "json-parse-better-errors": "^1.0.2",
- "loader-runner": "^2.3.0",
- "loader-utils": "^1.1.0",
- "memory-fs": "~0.4.1",
- "micromatch": "^3.1.8",
- "mkdirp": "~0.5.0",
- "neo-async": "^2.5.0",
- "node-libs-browser": "^2.0.0",
- "schema-utils": "^1.0.0",
- "tapable": "^1.1.0",
- "terser-webpack-plugin": "^1.1.0",
- "watchpack": "^1.5.0",
- "webpack-sources": "^1.3.0"
- },
- "dependencies": {
- "is-accessor-descriptor": {
- "version": "1.0.0",
- "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-1.0.0.tgz",
- "integrity": "sha512-m5hnHTkcVsPfqx3AKlyttIPb7J+XykHvJP2B9bZDjlhLIoEq4XoK64Vg7boZlVWYK6LUY94dYPEE7Lh0ZkZKcQ==",
- "requires": {
- "kind-of": "^6.0.0"
- }
- },
- "is-data-descriptor": {
- "version": "1.0.0",
- "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-1.0.0.tgz",
- "integrity": "sha512-jbRXy1FmtAoCjQkVmIVYwuuqDFUbaOeDjmed1tOGPrsMhtJA4rD9tkgA0F1qJ3gRFRXcHYVkdeaP50Q5rE/jLQ==",
- "requires": {
- "kind-of": "^6.0.0"
- }
- },
- "is-descriptor": {
- "version": "1.0.2",
- "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-1.0.2.tgz",
- "integrity": "sha512-2eis5WqQGV7peooDyLmNEPUrps9+SXX5c9pL3xEB+4e9HnGuDa7mB7kHxHw4CbqS9k1T2hOH3miL8n8WtiYVtg==",
- "requires": {
- "is-accessor-descriptor": "^1.0.0",
- "is-data-descriptor": "^1.0.0",
- "kind-of": "^6.0.2"
- }
- },
- "kind-of": {
- "version": "6.0.2",
- "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.2.tgz",
- "integrity": "sha512-s5kLOcnH0XqDO+FvuaLX8DDjZ18CGFk7VygH40QoKPUQhW4e2rvM0rwUq0t8IQDOwYSeLK01U90OjzBTme2QqA=="
- }
- }
- },
- "webpack-cli": {
- "version": "3.3.2",
- "resolved": "https://registry.npmjs.org/webpack-cli/-/webpack-cli-3.3.2.tgz",
- "integrity": "sha512-FLkobnaJJ+03j5eplxlI0TUxhGCOdfewspIGuvDVtpOlrAuKMFC57K42Ukxqs1tn8947/PM6tP95gQc0DCzRYA==",
- "dev": true,
- "requires": {
- "chalk": "^2.4.1",
- "cross-spawn": "^6.0.5",
- "enhanced-resolve": "^4.1.0",
- "findup-sync": "^2.0.0",
- "global-modules": "^1.0.0",
- "import-local": "^2.0.0",
- "interpret": "^1.1.0",
- "loader-utils": "^1.1.0",
- "supports-color": "^5.5.0",
- "v8-compile-cache": "^2.0.2",
- "yargs": "^12.0.5"
- },
- "dependencies": {
- "ansi-regex": {
- "version": "3.0.0",
- "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-3.0.0.tgz",
- "integrity": "sha1-7QMXwyIGT3lGbAKWa922Bas32Zg=",
- "dev": true
- },
- "cliui": {
- "version": "4.1.0",
- "resolved": "https://registry.npmjs.org/cliui/-/cliui-4.1.0.tgz",
- "integrity": "sha512-4FG+RSG9DL7uEwRUZXZn3SS34DiDPfzP0VOiEwtUWlE+AR2EIg+hSyvrIgUUfhdgR/UkAeW2QHgeP+hWrXs7jQ==",
- "dev": true,
- "requires": {
- "string-width": "^2.1.1",
- "strip-ansi": "^4.0.0",
- "wrap-ansi": "^2.0.0"
- }
- },
- "cross-spawn": {
- "version": "6.0.5",
- "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-6.0.5.tgz",
- "integrity": "sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ==",
+ "anymatch": {
+ "version": "2.0.0",
+ "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-2.0.0.tgz",
+ "integrity": "sha512-5teOsQWABXHHBFP9y3skS5P3d/WfWXpv3FUpy+LorMrNYaT9pI4oLMQX7jzQ2KklNpGpWHzdCXTDT2Y3XGlZBw==",
"dev": true,
"requires": {
- "nice-try": "^1.0.4",
- "path-key": "^2.0.1",
- "semver": "^5.5.0",
- "shebang-command": "^1.2.0",
- "which": "^1.2.9"
+ "micromatch": "^3.1.4",
+ "normalize-path": "^2.1.1"
+ },
+ "dependencies": {
+ "normalize-path": {
+ "version": "2.1.1",
+ "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-2.1.1.tgz",
+ "integrity": "sha1-GrKLVW4Zg2Oowab35vogE3/mrtk=",
+ "dev": true,
+ "requires": {
+ "remove-trailing-separator": "^1.0.1"
+ }
+ }
}
},
- "invert-kv": {
- "version": "2.0.0",
- "resolved": "https://registry.npmjs.org/invert-kv/-/invert-kv-2.0.0.tgz",
- "integrity": "sha512-wPVv/y/QQ/Uiirj/vh3oP+1Ww+AWehmi1g5fFWGPF6IpCBCDVrhgHRMvrLfdYcwDh3QJbGXDW4JAuzxElLSqKA==",
- "dev": true
- },
- "is-fullwidth-code-point": {
- "version": "2.0.0",
- "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz",
- "integrity": "sha1-o7MKXE8ZkYMWeqq5O+764937ZU8=",
+ "binary-extensions": {
+ "version": "1.13.1",
+ "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-1.13.1.tgz",
+ "integrity": "sha512-Un7MIEDdUC5gNpcGDV97op1Ywk748MpHcFTHoYs6qnj1Z3j7I53VG3nwZhKzoBZmbdRNnb6WRdFlwl7tSDuZGw==",
"dev": true
},
- "lcid": {
- "version": "2.0.0",
- "resolved": "https://registry.npmjs.org/lcid/-/lcid-2.0.0.tgz",
- "integrity": "sha512-avPEb8P8EGnwXKClwsNUgryVjllcRqtMYa49NTsbQagYuT1DcXnl1915oxWjoyGrXR6zH/Y0Zc96xWsPcoDKeA==",
+ "braces": {
+ "version": "2.3.2",
+ "resolved": "https://registry.npmjs.org/braces/-/braces-2.3.2.tgz",
+ "integrity": "sha512-aNdbnj9P8PjdXU4ybaWLK2IF3jc/EoDYbC7AazW6to3TRsfXxscC9UXOB5iDiEQrkyIbWp2SLQda4+QAa7nc3w==",
"dev": true,
"requires": {
- "invert-kv": "^2.0.0"
+ "arr-flatten": "^1.1.0",
+ "array-unique": "^0.3.2",
+ "extend-shallow": "^2.0.1",
+ "fill-range": "^4.0.0",
+ "isobject": "^3.0.1",
+ "repeat-element": "^1.1.2",
+ "snapdragon": "^0.8.1",
+ "snapdragon-node": "^2.0.1",
+ "split-string": "^3.0.2",
+ "to-regex": "^3.0.1"
}
},
- "os-locale": {
- "version": "3.1.0",
- "resolved": "https://registry.npmjs.org/os-locale/-/os-locale-3.1.0.tgz",
- "integrity": "sha512-Z8l3R4wYWM40/52Z+S265okfFj8Kt2cC2MKY+xNi3kFs+XGI7WXu/I309QQQYbRW4ijiZ+yxs9pqEhJh0DqW3Q==",
+ "chokidar": {
+ "version": "2.1.8",
+ "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-2.1.8.tgz",
+ "integrity": "sha512-ZmZUazfOzf0Nve7duiCKD23PFSCs4JPoYyccjUFF3aQkQadqBhfzhjkwBH2mNOG9cTBwhamM37EIsIkZw3nRgg==",
"dev": true,
"requires": {
- "execa": "^1.0.0",
- "lcid": "^2.0.0",
- "mem": "^4.0.0"
+ "anymatch": "^2.0.0",
+ "async-each": "^1.0.1",
+ "braces": "^2.3.2",
+ "fsevents": "^1.2.7",
+ "glob-parent": "^3.1.0",
+ "inherits": "^2.0.3",
+ "is-binary-path": "^1.0.0",
+ "is-glob": "^4.0.0",
+ "normalize-path": "^3.0.0",
+ "path-is-absolute": "^1.0.0",
+ "readdirp": "^2.2.1",
+ "upath": "^1.1.1"
}
},
- "string-width": {
- "version": "2.1.1",
- "resolved": "https://registry.npmjs.org/string-width/-/string-width-2.1.1.tgz",
- "integrity": "sha512-nOqH59deCq9SRHlxq1Aw85Jnt4w6KvLKqWVik6oA9ZklXLNIOlqg4F2yrT1MVaTjAqvVwdfeZ7w7aCvJD7ugkw==",
+ "extend-shallow": {
+ "version": "2.0.1",
+ "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz",
+ "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=",
"dev": true,
"requires": {
- "is-fullwidth-code-point": "^2.0.0",
- "strip-ansi": "^4.0.0"
+ "is-extendable": "^0.1.0"
}
},
- "strip-ansi": {
+ "fill-range": {
"version": "4.0.0",
- "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-4.0.0.tgz",
- "integrity": "sha1-qEeQIusaw2iocTibY1JixQXuNo8=",
- "dev": true,
- "requires": {
- "ansi-regex": "^3.0.0"
- }
- },
- "which-module": {
- "version": "2.0.0",
- "resolved": "https://registry.npmjs.org/which-module/-/which-module-2.0.0.tgz",
- "integrity": "sha1-2e8H3Od7mQK4o6j6SzHD4/fm6Ho=",
- "dev": true
- },
- "yargs": {
- "version": "12.0.5",
- "resolved": "https://registry.npmjs.org/yargs/-/yargs-12.0.5.tgz",
- "integrity": "sha512-Lhz8TLaYnxq/2ObqHDql8dX8CJi97oHxrjUcYtzKbbykPtVW9WB+poxI+NM2UIzsMgNCZTIf0AQwsjK5yMAqZw==",
+ "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-4.0.0.tgz",
+ "integrity": "sha1-1USBHUKPmOsGpj3EAtJAPDKMOPc=",
"dev": true,
"requires": {
- "cliui": "^4.0.0",
- "decamelize": "^1.2.0",
- "find-up": "^3.0.0",
- "get-caller-file": "^1.0.1",
- "os-locale": "^3.0.0",
- "require-directory": "^2.1.1",
- "require-main-filename": "^1.0.1",
- "set-blocking": "^2.0.0",
- "string-width": "^2.0.0",
- "which-module": "^2.0.0",
- "y18n": "^3.2.1 || ^4.0.0",
- "yargs-parser": "^11.1.1"
+ "extend-shallow": "^2.0.1",
+ "is-number": "^3.0.0",
+ "repeat-string": "^1.6.1",
+ "to-regex-range": "^2.1.0"
}
},
- "yargs-parser": {
- "version": "11.1.1",
- "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-11.1.1.tgz",
- "integrity": "sha512-C6kB/WJDiaxONLJQnF8ccx9SEeoTTLek8RVbaOIsrAUS8VrBEXfmeSnCZxygc+XC2sNMBIwOOnfcxiynjHsVSQ==",
+ "fsevents": {
+ "version": "1.2.11",
+ "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-1.2.11.tgz",
+ "integrity": "sha512-+ux3lx6peh0BpvY0JebGyZoiR4D+oYzdPZMKJwkZ+sFkNJzpL7tXc/wehS49gUAxg3tmMHPHZkA8JU2rhhgDHw==",
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "nan": "^2.12.1",
+ "node-pre-gyp": "*"
+ },
+ "dependencies": {
+ "abbrev": {
+ "version": "1.1.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "ansi-regex": {
+ "version": "2.1.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "aproba": {
+ "version": "1.2.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "are-we-there-yet": {
+ "version": "1.1.5",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "delegates": "^1.0.0",
+ "readable-stream": "^2.0.6"
+ }
+ },
+ "balanced-match": {
+ "version": "1.0.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "brace-expansion": {
+ "version": "1.1.11",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "balanced-match": "^1.0.0",
+ "concat-map": "0.0.1"
+ }
+ },
+ "chownr": {
+ "version": "1.1.3",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "code-point-at": {
+ "version": "1.1.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "concat-map": {
+ "version": "0.0.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "console-control-strings": {
+ "version": "1.1.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "core-util-is": {
+ "version": "1.0.2",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "debug": {
+ "version": "3.2.6",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "ms": "^2.1.1"
+ }
+ },
+ "deep-extend": {
+ "version": "0.6.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "delegates": {
+ "version": "1.0.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "detect-libc": {
+ "version": "1.0.3",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "fs-minipass": {
+ "version": "1.2.7",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "minipass": "^2.6.0"
+ }
+ },
+ "fs.realpath": {
+ "version": "1.0.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "gauge": {
+ "version": "2.7.4",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "aproba": "^1.0.3",
+ "console-control-strings": "^1.0.0",
+ "has-unicode": "^2.0.0",
+ "object-assign": "^4.1.0",
+ "signal-exit": "^3.0.0",
+ "string-width": "^1.0.1",
+ "strip-ansi": "^3.0.1",
+ "wide-align": "^1.1.0"
+ }
+ },
+ "glob": {
+ "version": "7.1.6",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "fs.realpath": "^1.0.0",
+ "inflight": "^1.0.4",
+ "inherits": "2",
+ "minimatch": "^3.0.4",
+ "once": "^1.3.0",
+ "path-is-absolute": "^1.0.0"
+ }
+ },
+ "has-unicode": {
+ "version": "2.0.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "iconv-lite": {
+ "version": "0.4.24",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "safer-buffer": ">= 2.1.2 < 3"
+ }
+ },
+ "ignore-walk": {
+ "version": "3.0.3",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "minimatch": "^3.0.4"
+ }
+ },
+ "inflight": {
+ "version": "1.0.6",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "once": "^1.3.0",
+ "wrappy": "1"
+ }
+ },
+ "inherits": {
+ "version": "2.0.4",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "ini": {
+ "version": "1.3.5",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "is-fullwidth-code-point": {
+ "version": "1.0.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "number-is-nan": "^1.0.0"
+ }
+ },
+ "isarray": {
+ "version": "1.0.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "minimatch": {
+ "version": "3.0.4",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "brace-expansion": "^1.1.7"
+ }
+ },
+ "minimist": {
+ "version": "0.0.8",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "minipass": {
+ "version": "2.9.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "safe-buffer": "^5.1.2",
+ "yallist": "^3.0.0"
+ }
+ },
+ "minizlib": {
+ "version": "1.3.3",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "minipass": "^2.9.0"
+ }
+ },
+ "mkdirp": {
+ "version": "0.5.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "minimist": "0.0.8"
+ }
+ },
+ "ms": {
+ "version": "2.1.2",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "needle": {
+ "version": "2.4.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "debug": "^3.2.6",
+ "iconv-lite": "^0.4.4",
+ "sax": "^1.2.4"
+ }
+ },
+ "node-pre-gyp": {
+ "version": "0.14.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "detect-libc": "^1.0.2",
+ "mkdirp": "^0.5.1",
+ "needle": "^2.2.1",
+ "nopt": "^4.0.1",
+ "npm-packlist": "^1.1.6",
+ "npmlog": "^4.0.2",
+ "rc": "^1.2.7",
+ "rimraf": "^2.6.1",
+ "semver": "^5.3.0",
+ "tar": "^4.4.2"
+ }
+ },
+ "nopt": {
+ "version": "4.0.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "abbrev": "1",
+ "osenv": "^0.1.4"
+ }
+ },
+ "npm-bundled": {
+ "version": "1.1.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "npm-normalize-package-bin": "^1.0.1"
+ }
+ },
+ "npm-normalize-package-bin": {
+ "version": "1.0.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "npm-packlist": {
+ "version": "1.4.7",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "ignore-walk": "^3.0.1",
+ "npm-bundled": "^1.0.1"
+ }
+ },
+ "npmlog": {
+ "version": "4.1.2",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "are-we-there-yet": "~1.1.2",
+ "console-control-strings": "~1.1.0",
+ "gauge": "~2.7.3",
+ "set-blocking": "~2.0.0"
+ }
+ },
+ "number-is-nan": {
+ "version": "1.0.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "object-assign": {
+ "version": "4.1.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "once": {
+ "version": "1.4.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "wrappy": "1"
+ }
+ },
+ "os-homedir": {
+ "version": "1.0.2",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "os-tmpdir": {
+ "version": "1.0.2",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "osenv": {
+ "version": "0.1.5",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "os-homedir": "^1.0.0",
+ "os-tmpdir": "^1.0.0"
+ }
+ },
+ "path-is-absolute": {
+ "version": "1.0.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "process-nextick-args": {
+ "version": "2.0.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "rc": {
+ "version": "1.2.8",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "deep-extend": "^0.6.0",
+ "ini": "~1.3.0",
+ "minimist": "^1.2.0",
+ "strip-json-comments": "~2.0.1"
+ },
+ "dependencies": {
+ "minimist": {
+ "version": "1.2.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ }
+ }
+ },
+ "readable-stream": {
+ "version": "2.3.6",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "core-util-is": "~1.0.0",
+ "inherits": "~2.0.3",
+ "isarray": "~1.0.0",
+ "process-nextick-args": "~2.0.0",
+ "safe-buffer": "~5.1.1",
+ "string_decoder": "~1.1.1",
+ "util-deprecate": "~1.0.1"
+ }
+ },
+ "rimraf": {
+ "version": "2.7.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "glob": "^7.1.3"
+ }
+ },
+ "safe-buffer": {
+ "version": "5.1.2",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "safer-buffer": {
+ "version": "2.1.2",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "sax": {
+ "version": "1.2.4",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "semver": {
+ "version": "5.7.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "set-blocking": {
+ "version": "2.0.0",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "signal-exit": {
+ "version": "3.0.2",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "string-width": {
+ "version": "1.0.2",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "code-point-at": "^1.0.0",
+ "is-fullwidth-code-point": "^1.0.0",
+ "strip-ansi": "^3.0.0"
+ }
+ },
+ "string_decoder": {
+ "version": "1.1.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "safe-buffer": "~5.1.0"
+ }
+ },
+ "strip-ansi": {
+ "version": "3.0.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "ansi-regex": "^2.0.0"
+ }
+ },
+ "strip-json-comments": {
+ "version": "2.0.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "tar": {
+ "version": "4.4.13",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "chownr": "^1.1.1",
+ "fs-minipass": "^1.2.5",
+ "minipass": "^2.8.6",
+ "minizlib": "^1.2.1",
+ "mkdirp": "^0.5.0",
+ "safe-buffer": "^5.1.2",
+ "yallist": "^3.0.3"
+ }
+ },
+ "util-deprecate": {
+ "version": "1.0.2",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "wide-align": {
+ "version": "1.1.3",
+ "bundled": true,
+ "dev": true,
+ "optional": true,
+ "requires": {
+ "string-width": "^1.0.2 || 2"
+ }
+ },
+ "wrappy": {
+ "version": "1.0.2",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ },
+ "yallist": {
+ "version": "3.1.1",
+ "bundled": true,
+ "dev": true,
+ "optional": true
+ }
+ }
+ },
+ "glob-parent": {
+ "version": "3.1.0",
+ "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-3.1.0.tgz",
+ "integrity": "sha1-nmr2KZ2NO9K9QEMIMr0RPfkGxa4=",
+ "dev": true,
+ "requires": {
+ "is-glob": "^3.1.0",
+ "path-dirname": "^1.0.0"
+ },
+ "dependencies": {
+ "is-glob": {
+ "version": "3.1.0",
+ "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-3.1.0.tgz",
+ "integrity": "sha1-e6WuJCF4BKxwcHuWkiVnSGzD6Eo=",
+ "dev": true,
+ "requires": {
+ "is-extglob": "^2.1.0"
+ }
+ }
+ }
+ },
+ "is-binary-path": {
+ "version": "1.0.1",
+ "resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-1.0.1.tgz",
+ "integrity": "sha1-dfFmQrSA8YenEcgUFh/TpKdlWJg=",
+ "dev": true,
+ "requires": {
+ "binary-extensions": "^1.0.0"
+ }
+ },
+ "is-number": {
+ "version": "3.0.0",
+ "resolved": "https://registry.npmjs.org/is-number/-/is-number-3.0.0.tgz",
+ "integrity": "sha1-JP1iAaR4LPUFYcgQJ2r8fRLXEZU=",
+ "dev": true,
+ "requires": {
+ "kind-of": "^3.0.2"
+ }
+ },
+ "kind-of": {
+ "version": "3.2.2",
+ "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz",
+ "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=",
+ "dev": true,
+ "requires": {
+ "is-buffer": "^1.1.5"
+ }
+ },
+ "readdirp": {
+ "version": "2.2.1",
+ "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-2.2.1.tgz",
+ "integrity": "sha512-1JU/8q+VgFZyxwrJ+SVIOsh+KywWGpds3NTqikiKpDMZWScmAYyKIgqkO+ARvNWJfXeXR1zxz7aHF4u4CyH6vQ==",
+ "dev": true,
+ "requires": {
+ "graceful-fs": "^4.1.11",
+ "micromatch": "^3.1.10",
+ "readable-stream": "^2.0.2"
+ }
+ },
+ "to-regex-range": {
+ "version": "2.1.1",
+ "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-2.1.1.tgz",
+ "integrity": "sha1-fIDBe53+vlmeJzZ+DU3VWQFB2zg=",
+ "dev": true,
+ "requires": {
+ "is-number": "^3.0.0",
+ "repeat-string": "^1.6.1"
+ }
+ }
+ }
+ },
+ "webpack": {
+ "version": "4.42.0",
+ "resolved": "https://registry.npmjs.org/webpack/-/webpack-4.42.0.tgz",
+ "integrity": "sha512-EzJRHvwQyBiYrYqhyjW9AqM90dE4+s1/XtCfn7uWg6cS72zH+2VPFAlsnW0+W0cDi0XRjNKUMoJtpSi50+Ph6w==",
+ "dev": true,
+ "requires": {
+ "@webassemblyjs/ast": "1.8.5",
+ "@webassemblyjs/helper-module-context": "1.8.5",
+ "@webassemblyjs/wasm-edit": "1.8.5",
+ "@webassemblyjs/wasm-parser": "1.8.5",
+ "acorn": "^6.2.1",
+ "ajv": "^6.10.2",
+ "ajv-keywords": "^3.4.1",
+ "chrome-trace-event": "^1.0.2",
+ "enhanced-resolve": "^4.1.0",
+ "eslint-scope": "^4.0.3",
+ "json-parse-better-errors": "^1.0.2",
+ "loader-runner": "^2.4.0",
+ "loader-utils": "^1.2.3",
+ "memory-fs": "^0.4.1",
+ "micromatch": "^3.1.10",
+ "mkdirp": "^0.5.1",
+ "neo-async": "^2.6.1",
+ "node-libs-browser": "^2.2.1",
+ "schema-utils": "^1.0.0",
+ "tapable": "^1.1.3",
+ "terser-webpack-plugin": "^1.4.3",
+ "watchpack": "^1.6.0",
+ "webpack-sources": "^1.4.1"
+ },
+ "dependencies": {
+ "schema-utils": {
+ "version": "1.0.0",
+ "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-1.0.0.tgz",
+ "integrity": "sha512-i27Mic4KovM/lnGsy8whRCHhc7VicJajAjTrYg11K9zfZXnYIt4k5F+kZkwjnrhKzLic/HLU4j11mjsz2G/75g==",
+ "dev": true,
+ "requires": {
+ "ajv": "^6.1.0",
+ "ajv-errors": "^1.0.0",
+ "ajv-keywords": "^3.1.0"
+ }
+ }
+ }
+ },
+ "webpack-cli": {
+ "version": "3.3.11",
+ "resolved": "https://registry.npmjs.org/webpack-cli/-/webpack-cli-3.3.11.tgz",
+ "integrity": "sha512-dXlfuml7xvAFwYUPsrtQAA9e4DOe58gnzSxhgrO/ZM/gyXTBowrsYeubyN4mqGhYdpXMFNyQ6emjJS9M7OBd4g==",
+ "dev": true,
+ "requires": {
+ "chalk": "2.4.2",
+ "cross-spawn": "6.0.5",
+ "enhanced-resolve": "4.1.0",
+ "findup-sync": "3.0.0",
+ "global-modules": "2.0.0",
+ "import-local": "2.0.0",
+ "interpret": "1.2.0",
+ "loader-utils": "1.2.3",
+ "supports-color": "6.1.0",
+ "v8-compile-cache": "2.0.3",
+ "yargs": "13.2.4"
+ },
+ "dependencies": {
+ "ansi-regex": {
+ "version": "4.1.0",
+ "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-4.1.0.tgz",
+ "integrity": "sha512-1apePfXM1UOSqw0o9IiFAovVz9M5S1Dg+4TrDwfMewQ6p/rmMueb7tWZjQ1rx4Loy1ArBggoqGpfqqdI4rondg==",
+ "dev": true
+ },
+ "chalk": {
+ "version": "2.4.2",
+ "resolved": "https://registry.npmjs.org/chalk/-/chalk-2.4.2.tgz",
+ "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==",
+ "dev": true,
+ "requires": {
+ "ansi-styles": "^3.2.1",
+ "escape-string-regexp": "^1.0.5",
+ "supports-color": "^5.3.0"
+ },
+ "dependencies": {
+ "supports-color": {
+ "version": "5.5.0",
+ "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz",
+ "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==",
+ "dev": true,
+ "requires": {
+ "has-flag": "^3.0.0"
+ }
+ }
+ }
+ },
+ "cliui": {
+ "version": "5.0.0",
+ "resolved": "https://registry.npmjs.org/cliui/-/cliui-5.0.0.tgz",
+ "integrity": "sha512-PYeGSEmmHM6zvoef2w8TPzlrnNpXIjTipYK780YswmIP9vjxmd6Y2a3CB2Ks6/AU8NHjZugXvo8w3oWM2qnwXA==",
+ "dev": true,
+ "requires": {
+ "string-width": "^3.1.0",
+ "strip-ansi": "^5.2.0",
+ "wrap-ansi": "^5.1.0"
+ }
+ },
+ "cross-spawn": {
+ "version": "6.0.5",
+ "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-6.0.5.tgz",
+ "integrity": "sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ==",
+ "dev": true,
+ "requires": {
+ "nice-try": "^1.0.4",
+ "path-key": "^2.0.1",
+ "semver": "^5.5.0",
+ "shebang-command": "^1.2.0",
+ "which": "^1.2.9"
+ }
+ },
+ "enhanced-resolve": {
+ "version": "4.1.0",
+ "resolved": "https://registry.npmjs.org/enhanced-resolve/-/enhanced-resolve-4.1.0.tgz",
+ "integrity": "sha512-F/7vkyTtyc/llOIn8oWclcB25KdRaiPBpZYDgJHgh/UHtpgT2p2eldQgtQnLtUvfMKPKxbRaQM/hHkvLHt1Vng==",
+ "dev": true,
+ "requires": {
+ "graceful-fs": "^4.1.2",
+ "memory-fs": "^0.4.0",
+ "tapable": "^1.0.0"
+ }
+ },
+ "find-up": {
+ "version": "3.0.0",
+ "resolved": "https://registry.npmjs.org/find-up/-/find-up-3.0.0.tgz",
+ "integrity": "sha512-1yD6RmLI1XBfxugvORwlck6f75tYL+iR0jqwsOrOxMZyGYqUuDhJ0l4AXdO1iX/FTs9cBAMEk1gWSEx1kSbylg==",
+ "dev": true,
+ "requires": {
+ "locate-path": "^3.0.0"
+ }
+ },
+ "get-caller-file": {
+ "version": "2.0.5",
+ "resolved": "https://registry.npmjs.org/get-caller-file/-/get-caller-file-2.0.5.tgz",
+ "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==",
+ "dev": true
+ },
+ "invert-kv": {
+ "version": "2.0.0",
+ "resolved": "https://registry.npmjs.org/invert-kv/-/invert-kv-2.0.0.tgz",
+ "integrity": "sha512-wPVv/y/QQ/Uiirj/vh3oP+1Ww+AWehmi1g5fFWGPF6IpCBCDVrhgHRMvrLfdYcwDh3QJbGXDW4JAuzxElLSqKA==",
+ "dev": true
+ },
+ "is-fullwidth-code-point": {
+ "version": "2.0.0",
+ "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz",
+ "integrity": "sha1-o7MKXE8ZkYMWeqq5O+764937ZU8=",
+ "dev": true
+ },
+ "lcid": {
+ "version": "2.0.0",
+ "resolved": "https://registry.npmjs.org/lcid/-/lcid-2.0.0.tgz",
+ "integrity": "sha512-avPEb8P8EGnwXKClwsNUgryVjllcRqtMYa49NTsbQagYuT1DcXnl1915oxWjoyGrXR6zH/Y0Zc96xWsPcoDKeA==",
+ "dev": true,
+ "requires": {
+ "invert-kv": "^2.0.0"
+ }
+ },
+ "os-locale": {
+ "version": "3.1.0",
+ "resolved": "https://registry.npmjs.org/os-locale/-/os-locale-3.1.0.tgz",
+ "integrity": "sha512-Z8l3R4wYWM40/52Z+S265okfFj8Kt2cC2MKY+xNi3kFs+XGI7WXu/I309QQQYbRW4ijiZ+yxs9pqEhJh0DqW3Q==",
+ "dev": true,
+ "requires": {
+ "execa": "^1.0.0",
+ "lcid": "^2.0.0",
+ "mem": "^4.0.0"
+ }
+ },
+ "require-main-filename": {
+ "version": "2.0.0",
+ "resolved": "https://registry.npmjs.org/require-main-filename/-/require-main-filename-2.0.0.tgz",
+ "integrity": "sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg==",
+ "dev": true
+ },
+ "string-width": {
+ "version": "3.1.0",
+ "resolved": "https://registry.npmjs.org/string-width/-/string-width-3.1.0.tgz",
+ "integrity": "sha512-vafcv6KjVZKSgz06oM/H6GDBrAtz8vdhQakGjFIvNrHA6y3HCF1CInLy+QLq8dTJPQ1b+KDUqDFctkdRW44e1w==",
+ "dev": true,
+ "requires": {
+ "emoji-regex": "^7.0.1",
+ "is-fullwidth-code-point": "^2.0.0",
+ "strip-ansi": "^5.1.0"
+ }
+ },
+ "strip-ansi": {
+ "version": "5.2.0",
+ "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-5.2.0.tgz",
+ "integrity": "sha512-DuRs1gKbBqsMKIZlrffwlug8MHkcnpjs5VPmL1PAh+mA30U0DTotfDZ0d2UUsXpPmPmMMJ6W773MaA3J+lbiWA==",
+ "dev": true,
+ "requires": {
+ "ansi-regex": "^4.1.0"
+ }
+ },
+ "supports-color": {
+ "version": "6.1.0",
+ "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-6.1.0.tgz",
+ "integrity": "sha512-qe1jfm1Mg7Nq/NSh6XE24gPXROEVsWHxC1LIx//XNlD9iw7YZQGjZNjYN7xGaEG6iKdA8EtNFW6R0gjnVXp+wQ==",
+ "dev": true,
+ "requires": {
+ "has-flag": "^3.0.0"
+ }
+ },
+ "which-module": {
+ "version": "2.0.0",
+ "resolved": "https://registry.npmjs.org/which-module/-/which-module-2.0.0.tgz",
+ "integrity": "sha1-2e8H3Od7mQK4o6j6SzHD4/fm6Ho=",
+ "dev": true
+ },
+ "wrap-ansi": {
+ "version": "5.1.0",
+ "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-5.1.0.tgz",
+ "integrity": "sha512-QC1/iN/2/RPVJ5jYK8BGttj5z83LmSKmvbvrXPNCLZSEb32KKVDJDl/MOt2N01qU2H/FkzEa9PKto1BqDjtd7Q==",
+ "dev": true,
+ "requires": {
+ "ansi-styles": "^3.2.0",
+ "string-width": "^3.0.0",
+ "strip-ansi": "^5.0.0"
+ }
+ },
+ "y18n": {
+ "version": "4.0.0",
+ "resolved": "https://registry.npmjs.org/y18n/-/y18n-4.0.0.tgz",
+ "integrity": "sha512-r9S/ZyXu/Xu9q1tYlpsLIsa3EeLXXk0VwlxqTcFRfg9EhMW+17kbt9G0NrgCmhGb5vT2hyhJZLfDGx+7+5Uj/w==",
+ "dev": true
+ },
+ "yargs": {
+ "version": "13.2.4",
+ "resolved": "https://registry.npmjs.org/yargs/-/yargs-13.2.4.tgz",
+ "integrity": "sha512-HG/DWAJa1PAnHT9JAhNa8AbAv3FPaiLzioSjCcmuXXhP8MlpHO5vwls4g4j6n30Z74GVQj8Xa62dWVx1QCGklg==",
+ "dev": true,
+ "requires": {
+ "cliui": "^5.0.0",
+ "find-up": "^3.0.0",
+ "get-caller-file": "^2.0.1",
+ "os-locale": "^3.1.0",
+ "require-directory": "^2.1.1",
+ "require-main-filename": "^2.0.0",
+ "set-blocking": "^2.0.0",
+ "string-width": "^3.0.0",
+ "which-module": "^2.0.0",
+ "y18n": "^4.0.0",
+ "yargs-parser": "^13.1.0"
+ }
+ },
+ "yargs-parser": {
+ "version": "13.1.2",
+ "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-13.1.2.tgz",
+ "integrity": "sha512-3lbsNRf/j+A4QuSZfDRA7HRSfWrzO0YjqTJd5kjAq37Zep1CEgaYmrH9Q3GwPiB9cHyd1Y1UwggGhJGoxipbzg==",
"dev": true,
"requires": {
"camelcase": "^5.0.0",
}
},
"webpack-sources": {
- "version": "1.3.0",
- "resolved": "https://registry.npmjs.org/webpack-sources/-/webpack-sources-1.3.0.tgz",
- "integrity": "sha512-OiVgSrbGu7NEnEvQJJgdSFPl2qWKkWq5lHMhgiToIiN9w34EBnjYzSYs+VbL5KoYiLNtFFa7BZIKxRED3I32pA==",
+ "version": "1.4.3",
+ "resolved": "https://registry.npmjs.org/webpack-sources/-/webpack-sources-1.4.3.tgz",
+ "integrity": "sha512-lgTS3Xhv1lCOKo7SA5TjKXMjpSM4sBjNV5+q2bqesbSPs5FjGmU6jjtBSkX9b4qW87vDIsCIlUPOEhbZrMdjeQ==",
"dev": true,
"requires": {
"source-list-map": "^2.0.0",
"dev": true
},
"ws": {
- "version": "1.1.5",
- "resolved": "https://registry.npmjs.org/ws/-/ws-1.1.5.tgz",
- "integrity": "sha512-o3KqipXNUdS7wpQzBHSe180lBGO60SoK0yVo3CYJgb2MkobuWuBX6dhkYP5ORCLd55y+SaflMOV5fqAB53ux4w==",
+ "version": "6.2.1",
+ "resolved": "https://registry.npmjs.org/ws/-/ws-6.2.1.tgz",
+ "integrity": "sha512-GIyAXC2cB7LjvpgMt9EKS2ldqr0MTrORaleiOno6TweZ6r3TKtoFQWay/2PceJ3RuBasOHzXNn5Lrw1X0bEjqA==",
"dev": true,
"requires": {
- "options": ">=0.0.5",
- "ultron": "1.0.x"
+ "async-limiter": "~1.0.0"
}
},
"xtend": {
- "version": "4.0.1",
- "resolved": "https://registry.npmjs.org/xtend/-/xtend-4.0.1.tgz",
- "integrity": "sha1-pcbVMr5lbiPbgg77lDofBJmNY68=",
+ "version": "4.0.2",
+ "resolved": "https://registry.npmjs.org/xtend/-/xtend-4.0.2.tgz",
+ "integrity": "sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==",
"dev": true
},
"y18n": {
"permissions": "chown -R $USER:$USER bootstrap/cache storage public/uploads"
},
"devDependencies": {
- "css-loader": "^2.1.1",
- "livereload": "^0.8.0",
- "mini-css-extract-plugin": "^0.7.0",
- "node-sass": "^4.12.0",
+ "css-loader": "^3.4.2",
+ "livereload": "^0.9.1",
+ "mini-css-extract-plugin": "^0.9.0",
+ "node-sass": "^4.13.1",
"npm-run-all": "^4.1.5",
- "sass-loader": "^7.1.0",
- "style-loader": "^0.23.1",
- "webpack": "^4.32.2",
- "webpack-cli": "^3.3.2"
+ "sass-loader": "^8.0.2",
+ "style-loader": "^1.1.3",
+ "webpack": "^4.42.0",
+ "webpack-cli": "^3.3.11"
},
"dependencies": {
- "clipboard": "^2.0.4",
- "codemirror": "^5.47.0",
- "dropzone": "^5.5.1",
- "markdown-it": "^8.4.2",
+ "clipboard": "^2.0.6",
+ "codemirror": "^5.52.0",
+ "dropzone": "^5.7.0",
+ "markdown-it": "^10.0.0",
"markdown-it-task-lists": "^2.1.1",
- "sortablejs": "^1.9.0",
- "vue": "^2.6.10",
- "vuedraggable": "^2.21.0"
+ "sortablejs": "^1.10.2",
+ "vue": "^2.6.11",
+ "vuedraggable": "^2.23.2"
},
"browser": {
"vue": "vue/dist/vue.common.js"
<server name="APP_ENV" value="testing"/>
<server name="APP_DEBUG" value="false"/>
<server name="APP_LANG" value="en"/>
+ <server name="APP_THEME" value="none"/>
<server name="APP_AUTO_LANG_PUBLIC" value="true"/>
<server name="CACHE_DRIVER" value="array"/>
<server name="SESSION_DRIVER" value="array"/>
<server name="APP_URL" value="http://bookstack.dev"/>
<server name="DEBUGBAR_ENABLED" value="false"/>
<server name="SAML2_ENABLED" value="false"/>
+ <server name="API_REQUESTS_PER_MIN" value="180"/>
</php>
</phpunit>
[](https://github.com/BookStackApp/BookStack/releases/latest)
[](https://github.com/BookStackApp/BookStack/blob/master/LICENSE)
+[](https://crowdin.com/project/bookstack)
[](https://github.com/BookStackApp/BookStack/actions)
[](https://discord.gg/ztkBqR2)
-A platform for storing and organising information and documentation. General information and documentation for BookStack can be found at https://www.bookstackapp.com/.
+A platform for storing and organising information and documentation. Details for BookStack can be found on the official website at https://www.bookstackapp.com/.
* [Installation Instructions](https://www.bookstackapp.com/docs/admin/installation)
* [Documentation](https://www.bookstackapp.com/docs)
* [Demo Instance](https://demo.bookstackapp.com)
* [Admin Login](https://demo.bookstackapp.com/
[email protected]&password=password)
* [BookStack Blog](https://www.bookstackapp.com/blog)
+* [Issue List](https://github.com/BookStackApp/BookStack/issues)
+* [Discord Chat](https://discord.gg/ztkBqR2)
## 📚 Project Definition
Below is a high-level road map view for BookStack to provide a sense of direction of where the project is going. This can change at any point and does not reflect many features and improvements that will also be included as part of the journey along this road map. For more granular detail of what will be included in upcoming releases you can review the project milestones as defined in the "Release Process" section below.
-- **Platform REST API** *(In Design)*
+- **Platform REST API** *(Base Implemented, In review and roll-out)*
- *A REST API covering, at minimum, control of core content models (Books, Chapters, Pages) for automation and platform extension.*
- **Editor Alignment & Review**
- *Review the page editors with goal of achieving increased interoperability & feature parity while also considering collaborative editing potential.*
--- /dev/null
+<svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"><path d="M7 14H5v5h5v-2H7v-3zm-2-4h2V7h3V5H5v5zm12 7h-3v2h5v-5h-2v3zM14 5v2h3v3h2V5h-5z"/></svg>
\ No newline at end of file
--- /dev/null
+import Code from "../services/code"
+class CodeHighlighter {
+
+ constructor(elem) {
+ Code.highlightWithin(elem);
+ }
+
+}
+
+export default CodeHighlighter;
\ No newline at end of file
this.content = elem.querySelector('[collapsible-content]');
if (!this.trigger) return;
-
this.trigger.addEventListener('click', this.toggle.bind(this));
+ this.openIfContainsError();
}
open() {
}
}
+ openIfContainsError() {
+ const error = this.content.querySelector('.text-neg');
+ if (error) {
+ this.open();
+ }
+ }
+
}
export default Collapsible;
\ No newline at end of file
--- /dev/null
+import Code from "../services/code"
+class DetailsHighlighter {
+
+ constructor(elem) {
+ this.elem = elem;
+ this.dealtWith = false;
+ elem.addEventListener('toggle', this.onToggle.bind(this));
+ }
+
+ onToggle() {
+ if (this.dealtWith) return;
+
+ Code.highlightWithin(this.elem);
+ this.dealtWith = true;
+ }
+}
+
+export default DetailsHighlighter;
\ No newline at end of file
import entityPermissionsEditor from "./entity-permissions-editor";
import templateManager from "./template-manager";
import newUserPassword from "./new-user-password";
+import detailsHighlighter from "./details-highlighter";
+import codeHighlighter from "./code-highlighter";
const componentMapping = {
'dropdown': dropdown,
'entity-permissions-editor': entityPermissionsEditor,
'template-manager': templateManager,
'new-user-password': newUserPassword,
+ 'details-highlighter': detailsHighlighter,
+ 'code-highlighter': codeHighlighter,
};
window.components = {};
import MarkdownIt from "markdown-it";
import mdTasksLists from 'markdown-it-task-lists';
import code from '../services/code';
+import Clipboard from "../services/clipboard";
import {debounce} from "../services/util";
import DrawIO from "../services/drawio";
return;
}
if (action === 'insertDrawing') this.actionStartDrawing();
+ if (action === 'fullscreen') this.actionFullScreen();
});
// Mobile section toggling
// Handle image paste
cm.on('paste', (cm, event) => {
- const clipboardItems = event.clipboardData.items;
- if (!event.clipboardData || !clipboardItems) return;
+ const clipboard = new Clipboard(event.clipboardData || event.dataTransfer);
- // Don't handle if clipboard includes text content
- for (let clipboardItem of clipboardItems) {
- if (clipboardItem.type.includes('text/')) {
- return;
- }
+ // Don't handle the event ourselves if no items exist of contains table-looking data
+ if (!clipboard.hasItems() || clipboard.containsTabularData()) {
+ return;
}
- for (let clipboardItem of clipboardItems) {
- if (clipboardItem.type.includes("image")) {
- uploadImage(clipboardItem.getAsFile());
- }
+ const images = clipboard.getImages();
+ for (const image of images) {
+ uploadImage(image);
}
});
});
}
- if (event.dataTransfer && event.dataTransfer.files && event.dataTransfer.files.length > 0) {
+ const clipboard = new Clipboard(event.dataTransfer);
+ if (clipboard.hasItems()) {
const cursorPos = cm.coordsChar({left: event.pageX, top: event.pageY});
cm.setCursor(cursorPos);
event.stopPropagation();
event.preventDefault();
- for (let i = 0; i < event.dataTransfer.files.length; i++) {
- uploadImage(event.dataTransfer.files[i]);
+ const images = clipboard.getImages();
+ for (const image of images) {
+ uploadImage(image);
}
}
});
}
+ // Make the editor full screen
+ actionFullScreen() {
+ const alreadyFullscreen = this.elem.classList.contains('fullscreen');
+ this.elem.classList.toggle('fullscreen', !alreadyFullscreen);
+ document.body.classList.toggle('markdown-fullscreen', !alreadyFullscreen);
+ }
+
// Scroll to a specified text
scrollToText(searchText) {
if (!searchText) {
import Code from "../services/code";
import DrawIO from "../services/drawio";
+import Clipboard from "../services/clipboard";
/**
* Handle pasting images from clipboard.
* @param editor
*/
function editorPaste(event, editor, wysiwygComponent) {
- const clipboardItems = event.clipboardData.items;
- if (!event.clipboardData || !clipboardItems) return;
+ const clipboard = new Clipboard(event.clipboardData || event.dataTransfer);
- // Don't handle if clipboard includes text content
- for (let clipboardItem of clipboardItems) {
- if (clipboardItem.type.includes('text/')) {
- return;
- }
+ // Don't handle the event ourselves if no items exist of contains table-looking data
+ if (!clipboard.hasItems() || clipboard.containsTabularData()) {
+ return;
}
- for (let clipboardItem of clipboardItems) {
- if (!clipboardItem.type.includes("image")) {
- continue;
- }
+ const images = clipboard.getImages();
+ for (const imageFile of images) {
const id = "image-" + Math.random().toString(16).slice(2);
const loadingImage = window.baseUrl('/loading.gif');
- const file = clipboardItem.getAsFile();
+ event.preventDefault();
setTimeout(() => {
editor.insertContent(`<p><img src="${loadingImage}" id="${id}"></p>`);
- uploadImageFile(file, wysiwygComponent).then(resp => {
- editor.dom.setAttrib(id, 'src', resp.thumbs.display);
+ uploadImageFile(imageFile, wysiwygComponent).then(resp => {
+ const safeName = resp.name.replace(/"/g, '');
+ const newImageHtml = `<img src="${resp.thumbs.display}" alt="${safeName}" />`;
+
+ const newEl = editor.dom.create('a', {
+ target: '_blank',
+ href: resp.url,
+ }, newImageHtml);
+
+ editor.dom.replace(newEl, id);
}).catch(err => {
editor.dom.remove(id);
window.$events.emit('error', trans('errors.image_upload_error'));
registerEditorShortcuts(editor);
let wrap;
+ let draggedContentEditable;
function hasTextContent(node) {
return node && !!( node.textContent || node.innerText );
editor.on('dragstart', function () {
let node = editor.selection.getNode();
- if (node.nodeName !== 'IMG') return;
- wrap = editor.dom.getParent(node, '.mceTemp');
+ if (node.nodeName === 'IMG') {
+ wrap = editor.dom.getParent(node, '.mceTemp');
+
+ if (!wrap && node.parentNode.nodeName === 'A' && !hasTextContent(node.parentNode)) {
+ wrap = node.parentNode;
+ }
+ }
- if (!wrap && node.parentNode.nodeName === 'A' && !hasTextContent(node.parentNode)) {
- wrap = node.parentNode;
+ // Track dragged contenteditable blocks
+ if (node.hasAttribute('contenteditable') && node.getAttribute('contenteditable') === 'false') {
+ draggedContentEditable = node;
}
+
});
editor.on('drop', function (event) {
rng = tinymce.dom.RangeUtils.getCaretRangeFromPoint(event.clientX, event.clientY, editor.getDoc());
// Template insertion
- const templateId = event.dataTransfer.getData('bookstack/template');
+ const templateId = event.dataTransfer && event.dataTransfer.getData('bookstack/template');
if (templateId) {
event.preventDefault();
window.$http.get(`/templates/${templateId}`).then(resp => {
});
}
+ // Handle contenteditable section drop
+ if (!event.isDefaultPrevented() && draggedContentEditable) {
+ event.preventDefault();
+ editor.undoManager.transact(function () {
+ const selectedNode = editor.selection.getNode();
+ const range = editor.selection.getRng();
+ const selectedNodeRoot = selectedNode.closest('body > *');
+ if (range.startOffset > (range.startContainer.length / 2)) {
+ editor.$(selectedNodeRoot).after(draggedContentEditable);
+ } else {
+ editor.$(selectedNodeRoot).before(draggedContentEditable);
+ }
+ });
+ }
+
+ // Handle image insert
+ if (!event.isDefaultPrevented()) {
+ editorPaste(event, editor, context);
+ }
+
wrap = null;
});
--- /dev/null
+
+class Clipboard {
+
+ /**
+ * Constructor
+ * @param {DataTransfer} clipboardData
+ */
+ constructor(clipboardData) {
+ this.data = clipboardData;
+ }
+
+ /**
+ * Check if the clipboard has any items.
+ */
+ hasItems() {
+ return Boolean(this.data) && Boolean(this.data.types) && this.data.types.length > 0;
+ }
+
+ /**
+ * Check if the given event has tabular-looking data in the clipboard.
+ * @return {boolean}
+ */
+ containsTabularData() {
+ const rtfData = this.data.getData( 'text/rtf');
+ return rtfData && rtfData.includes('\\trowd');
+ }
+
+ /**
+ * Get the images that are in the clipboard data.
+ * @return {Array<File>}
+ */
+ getImages() {
+ const types = this.data.types;
+ const files = this.data.files;
+ const images = [];
+
+ for (const type of types) {
+ if (type.includes('image')) {
+ const item = this.data.getData(type);
+ images.push(item.getAsFile());
+ }
+ }
+
+ for (const file of files) {
+ if (file.type.includes('image')) {
+ images.push(file);
+ }
+ }
+
+ return images;
+ }
+}
+
+export default Clipboard;
\ No newline at end of file
import 'codemirror/mode/css/css';
import 'codemirror/mode/clike/clike';
import 'codemirror/mode/diff/diff';
+import 'codemirror/mode/fortran/fortran';
import 'codemirror/mode/go/go';
+import 'codemirror/mode/haskell/haskell';
import 'codemirror/mode/htmlmixed/htmlmixed';
import 'codemirror/mode/javascript/javascript';
import 'codemirror/mode/julia/julia';
import 'codemirror/mode/lua/lua';
-import 'codemirror/mode/haskell/haskell';
import 'codemirror/mode/markdown/markdown';
import 'codemirror/mode/mllike/mllike';
import 'codemirror/mode/nginx/nginx';
+import 'codemirror/mode/perl/perl';
+import 'codemirror/mode/pascal/pascal';
import 'codemirror/mode/php/php';
import 'codemirror/mode/powershell/powershell';
import 'codemirror/mode/properties/properties';
'c#': 'text/x-csharp',
csharp: 'text/x-csharp',
diff: 'diff',
+ for: 'fortran',
+ fortran: 'fortran',
go: 'go',
haskell: 'haskell',
hs: 'haskell',
markdown: 'markdown',
ml: 'mllike',
nginx: 'nginx',
+ perl: 'perl',
+ pl: 'perl',
powershell: 'powershell',
properties: 'properties',
ocaml: 'mllike',
+ pascal: 'text/x-pascal',
+ pas: 'text/x-pascal',
php: (content) => {
return content.includes('<?php') ? 'php' : 'text/x-php';
},
* Highlight pre elements on a page
*/
function highlight() {
- let codeBlocks = document.querySelectorAll('.page-content pre, .comment-box .content pre');
- for (let i = 0; i < codeBlocks.length; i++) {
- highlightElem(codeBlocks[i]);
+ const codeBlocks = document.querySelectorAll('.page-content pre, .comment-box .content pre');
+ for (const codeBlock of codeBlocks) {
+ highlightElem(codeBlock);
+ }
+}
+
+/**
+ * Highlight all code blocks within the given parent element
+ * @param {HTMLElement} parent
+ */
+function highlightWithin(parent) {
+ const codeBlocks = parent.querySelectorAll('pre');
+ for (const codeBlock of codeBlocks) {
+ highlightElem(codeBlock);
}
}
function highlightElem(elem) {
const innerCodeElem = elem.querySelector('code[class^=language-]');
elem.innerHTML = elem.innerHTML.replace(/<br\s*[\/]?>/gi ,'\n');
- const content = elem.textContent.trim();
+ const content = elem.textContent.trimEnd();
let mode = '';
if (innerCodeElem !== null) {
* @returns {*|string}
*/
function getTheme() {
- return window.codeTheme || 'base16-light';
+ return window.codeTheme || 'default';
}
/**
export default {
highlight: highlight,
+ highlightWithin: highlightWithin,
wysiwygView: wysiwygView,
popupEditor: popupEditor,
setMode: setMode,
'reset' => 'إعادة تعيين',
'remove' => 'إزالة',
'add' => 'إضافة',
+ 'fullscreen' => 'Fullscreen',
// Sort Options
'sort_options' => 'Sort Options',
'email_already_confirmed' => 'تم تأكيد البريد الإلكتروني من قبل, الرجاء محاولة تسجيل الدخول.',
'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 باستخدام الربط المجهول',
'ldap_fail_authed' => 'فشل الوصول إلى LDAP باستخدام dn و password المعطاة',
'ldap_extension_not_installed' => 'لم يتم تثبيت إضافة LDAP PHP',
'ldap_cannot_connect' => 'لا يمكن الاتصال بخادم ldap, فشل الاتصال المبدئي',
+ 'saml_already_logged_in' => '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',
'social_no_action_defined' => 'لم يتم تعريف أي إجراء',
'social_login_bad_response' => "حصل خطأ خلال تسجيل الدخول باستخدام :socialAccount \n:error",
'social_account_in_use' => 'حساب :socialAccount قيد الاستخدام حالياً, الرجاء محاولة الدخول باستخدام خيار :socialAccount.',
'app_down' => ':appName لا يعمل حالياً',
'back_soon' => 'سيعود للعمل قريباً.',
+ // API errors
+ 'api_no_authorization_found' => 'No authorization token found on the request',
+ 'api_bad_authorization_format' => 'An authorization token was found on the request but the format appeared incorrect',
+ 'api_user_token_not_found' => 'No matching API token was found for the provided authorization token',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => 'The authorization token used has expired',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
'app_disable_comments_toggle' => 'Disable comments',
'app_disable_comments_desc' => 'تعطيل التعليقات على جميع الصفحات داخل التطبيق. التعليقات الموجودة من الأصل لن تكون ظاهرة.',
+ // Color settings
+ 'content_colors' => 'Content Colors',
+ 'content_colors_desc' => 'Sets 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' => 'Shelf Color',
+ 'book_color' => 'Book Color',
+ 'chapter_color' => 'Chapter Color',
+ 'page_color' => 'Page Color',
+ 'page_draft_color' => 'Page Draft Color',
+
// Registration Settings
'reg_settings' => 'إعدادات التسجيل',
'reg_enable' => 'Enable Registration',
'reg_enable_toggle' => 'Enable registration',
'reg_enable_desc' => 'When registration is enabled user will be able to sign themselves up as an application user. Upon registration they are given a single, default user role.',
'reg_default_role' => 'دور المستخدم الأساسي بعد التسجيل',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
'reg_email_confirmation' => 'Email Confirmation',
'reg_email_confirmation_toggle' => 'Require email confirmation',
'reg_confirm_email_desc' => 'إذا تم استخدام قيود للمجال سيصبح التأكيد عن طريق البريد الإلكتروني إلزامي وسيتم تجاهل القيمة أسفله.',
'maint_image_cleanup_warning' => 'يوجد عدد :count من الصور المحتمل عدم استخدامها. تأكيد حذف الصور؟',
'maint_image_cleanup_success' => 'تم إيجاد وحذف عدد :count من الصور المحتمل عدم استخدامها!',
'maint_image_cleanup_nothing_found' => 'لم يتم حذف أي شيء لعدم وجود أي صور غير مسمتخدمة',
+ 'maint_send_test_email' => 'Send a Test Email',
+ 'maint_send_test_email_desc' => 'This sends a test email to your email address specified in your profile.',
+ 'maint_send_test_email_run' => 'Send test email',
+ 'maint_send_test_email_success' => 'Email sent to :address',
+ 'maint_send_test_email_mail_subject' => 'Test Email',
+ 'maint_send_test_email_mail_greeting' => 'Email delivery seems to work!',
+ 'maint_send_test_email_mail_text' => 'Congratulations! As you received this email notification, your email settings seem to be configured properly.',
// Role Settings
'roles' => 'الأدوار',
'role_manage_entity_permissions' => 'إدارة جميع أذونات الكتب والفصول والصفحات',
'role_manage_own_entity_permissions' => 'إدارة الأذونات الخاصة بكتابك أو فصلك أو صفحاتك',
'role_manage_page_templates' => 'Manage page templates',
+ 'role_access_api' => 'Access system API',
'role_manage_settings' => 'إدارة إعدادات التطبيق',
'role_asset' => 'Asset Permissions',
'role_asset_desc' => 'These permissions control default access to the assets within the system. Permissions on Books, Chapters and Pages will override these permissions.',
'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
'users_send_invite_option' => 'Send user invite email',
'users_external_auth_id' => 'External Authentication ID',
- 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your LDAP system.',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
'users_password_warning' => 'الرجاء ملئ الحقل أدناه فقط في حال أردتم تغيير كلمة المرور:',
'users_system_public' => 'هذا المستخدم يمثل أي ضيف يقوم بزيارة شيء يخصك. لا يمكن استخدامه لتسجيل الدخول ولكن يتم تعيينه تلقائياً.',
'users_delete' => 'حذف المستخدم',
'users_social_disconnect' => 'فصل الحساب',
'users_social_connected' => 'تم ربط حساب :socialAccount بملفك بنجاح.',
'users_social_disconnected' => 'تم فصل حساب :socialAccount من ملفك بنجاح.',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'No API tokens have been created for this user',
+ 'users_api_tokens_create' => 'Create Token',
+ 'users_api_tokens_expires' => 'Expires',
+ 'users_api_tokens_docs' => 'API Documentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Create API Token',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Token Created :timeAgo',
+ 'user_api_token_updated' => 'Token Updated :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
'reset' => 'Reset',
'remove' => 'Odstranit',
'add' => 'Přidat',
+ 'fullscreen' => 'Fullscreen',
// Sort Options
'sort_options' => 'Sort Options',
'email_already_confirmed' => 'Emailová adresa již byla potvrzena. Zkuste se přihlásit.',
'email_confirmation_invalid' => 'Tento potvrzovací odkaz již neplatí nebo už byl použit. Zkuste prosím registraci znovu.',
'email_confirmation_expired' => 'Potvrzovací odkaz už neplatí, email s novým odkazem už byl poslán.',
+ 'email_confirmation_awaiting' => 'The email address for the account in use needs to be confirmed',
'ldap_fail_anonymous' => 'Přístup k adresáři LDAP jako anonymní uživatel (anonymous bind) selhal',
'ldap_fail_authed' => 'Přístup k adresáři LDAP pomocí zadaného jména (dn) a hesla selhal',
'ldap_extension_not_installed' => 'Není nainstalováno rozšíření LDAP pro PHP',
'ldap_cannot_connect' => 'Nelze se připojit k adresáři LDAP. Prvotní připojení selhalo.',
+ 'saml_already_logged_in' => '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',
'social_no_action_defined' => 'Nebyla zvolena žádá akce',
'social_login_bad_response' => "Nastala chyba během přihlašování přes :socialAccount \n:error",
'social_account_in_use' => 'Tento účet na :socialAccount se již používá. Pokuste se s ním přihlásit volbou Přihlásit přes :socialAccount.',
'app_down' => ':appName je momentálně vypnutá',
'back_soon' => 'Brzy naběhne.',
+ // API errors
+ 'api_no_authorization_found' => 'No authorization token found on the request',
+ 'api_bad_authorization_format' => 'An authorization token was found on the request but the format appeared incorrect',
+ 'api_user_token_not_found' => 'No matching API token was found for the provided authorization token',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => 'The authorization token used has expired',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
'app_disable_comments_toggle' => 'Disable comments',
'app_disable_comments_desc' => 'Zakáže komentáře napříč všemi stránkami. Existující komentáře se přestanou zobrazovat.',
+ // Color settings
+ 'content_colors' => 'Content Colors',
+ 'content_colors_desc' => 'Sets 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' => 'Shelf Color',
+ 'book_color' => 'Book Color',
+ 'chapter_color' => 'Chapter Color',
+ 'page_color' => 'Page Color',
+ 'page_draft_color' => 'Page Draft Color',
+
// Registration Settings
'reg_settings' => 'Nastavení registrace',
'reg_enable' => 'Enable Registration',
'reg_enable_toggle' => 'Enable registration',
'reg_enable_desc' => 'When registration is enabled user will be able to sign themselves up as an application user. Upon registration they are given a single, default user role.',
'reg_default_role' => 'Role přiřazená po registraci',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
'reg_email_confirmation' => 'Email Confirmation',
'reg_email_confirmation_toggle' => 'Require email confirmation',
'reg_confirm_email_desc' => 'Pokud zapnete omezení emailové domény, tak bude ověřování emailové adresy vyžadováno vždy.',
'maint_image_cleanup_warning' => 'Nalezeno :count potenciálně nepoužitých obrázků. Jste si jistí, že je chcete smazat?',
'maint_image_cleanup_success' => 'Potenciálně nepoužité obrázky byly smazány. Celkem :count.',
'maint_image_cleanup_nothing_found' => 'Žádné potenciálně nepoužité obrázky nebyly nalezeny. Nic nebylo smazáno.',
+ 'maint_send_test_email' => 'Send a Test Email',
+ 'maint_send_test_email_desc' => 'This sends a test email to your email address specified in your profile.',
+ 'maint_send_test_email_run' => 'Send test email',
+ 'maint_send_test_email_success' => 'Email sent to :address',
+ 'maint_send_test_email_mail_subject' => 'Test Email',
+ 'maint_send_test_email_mail_greeting' => 'Email delivery seems to work!',
+ 'maint_send_test_email_mail_text' => 'Congratulations! As you received this email notification, your email settings seem to be configured properly.',
// Role Settings
'roles' => 'Role',
'role_manage_entity_permissions' => 'Správa práv všech knih, kapitol a stránek',
'role_manage_own_entity_permissions' => 'Správa práv vlastních knih, kapitol a stránek',
'role_manage_page_templates' => 'Manage page templates',
+ 'role_access_api' => 'Access system API',
'role_manage_settings' => 'Správa nastavení aplikace',
'role_asset' => 'Práva děl',
'role_asset_desc' => 'Tato práva řídí přístup k dílům v rámci systému. Specifická práva na knihách, kapitolách a stránkách překryjí tato nastavení.',
'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
'users_send_invite_option' => 'Send user invite email',
'users_external_auth_id' => 'Přihlašovací identifikátory třetích stran',
- 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your LDAP system.',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
'users_password_warning' => 'Vyplňujte pouze v případě, že chcete heslo změnit:',
'users_system_public' => 'Symbolizuje libovolného veřejného návštěvníka, který navštívil vaší aplikaci. Nelze ho použít k přihlášení ale je přiřazen automaticky veřejnosti.',
'users_delete' => 'Smazat uživatele',
'users_social_disconnect' => 'Zrušit přidružení',
'users_social_connected' => 'Účet :socialAccount byl úspěšně přidružen k vašemu profilu.',
'users_social_disconnected' => 'Přidružení účtu :socialAccount k vašemu profilu bylo úspěšně zrušeno.',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'No API tokens have been created for this user',
+ 'users_api_tokens_create' => 'Create Token',
+ 'users_api_tokens_expires' => 'Expires',
+ 'users_api_tokens_docs' => 'API Documentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Create API Token',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Token Created :timeAgo',
+ 'user_api_token_updated' => 'Token Updated :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
--- /dev/null
+<?php
+/**
+ * Activity text strings.
+ * Is used for all the text within activity logs & notifications.
+ */
+return [
+
+ // Pages
+ 'page_create' => 'oprettede side',
+ 'page_create_notification' => 'Siden blev oprettet',
+ 'page_update' => 'opdaterede side',
+ 'page_update_notification' => 'Siden blev opdateret',
+ 'page_delete' => 'slettede side',
+ 'page_delete_notification' => 'Siden blev slettet',
+ 'page_restore' => 'gendannede side',
+ 'page_restore_notification' => 'Siden blev gendannet',
+ 'page_move' => 'flyttede side',
+
+ // Chapters
+ 'chapter_create' => 'oprettede kapitel',
+ 'chapter_create_notification' => 'Kapitel blev oprettet',
+ 'chapter_update' => 'opdaterede kapitel',
+ 'chapter_update_notification' => 'Kapitel blev opdateret',
+ 'chapter_delete' => 'slettede kapitel',
+ 'chapter_delete_notification' => 'Kapitel blev slettet',
+ 'chapter_move' => 'flyttede kapitel',
+
+ // Books
+ 'book_create' => 'oprettede bog',
+ 'book_create_notification' => 'Bogen blev oprettet',
+ 'book_update' => 'opdaterede bog',
+ 'book_update_notification' => 'Bogen blev opdateret',
+ 'book_delete' => 'slettede bog',
+ 'book_delete_notification' => 'Bogen blev slettet',
+ 'book_sort' => 'sorterede bogen',
+ 'book_sort_notification' => 'Bogen blev re-sorteret',
+
+ // Bookshelves
+ 'bookshelf_create' => 'oprettede bogreol',
+ 'bookshelf_create_notification' => 'Bogreolen blev oprettet',
+ 'bookshelf_update' => 'opdaterede bogreolen',
+ 'bookshelf_update_notification' => 'Bogreolen blev opdateret',
+ 'bookshelf_delete' => 'slettede bogreol',
+ 'bookshelf_delete_notification' => 'Bogreolen blev opdateret',
+
+ // Other
+ 'commented_on' => 'kommenterede til',
+];
--- /dev/null
+<?php
+/**
+ * Authentication Language Lines
+ * The following language lines are used during authentication for various
+ * messages that we need to display to the user.
+ */
+return [
+
+ 'failed' => 'Det indtastede stemmer ikke overens med vores registrering.',
+ 'throttle' => 'For mange mislykkede loginforsøg. Prøv igen om :seconds seconds.',
+
+ // Login & Register
+ 'sign_up' => 'Registrér',
+ 'log_in' => 'Log ind',
+ 'log_in_with' => 'Log ind med :socialDriver',
+ 'sign_up_with' => 'Registrér med :socialDriver',
+ 'logout' => 'Log ud',
+
+ 'name' => 'Navn',
+ 'username' => 'Brugernavn',
+ 'email' => 'E-mail',
+ 'password' => 'Adgangskode',
+ 'password_confirm' => 'Bekræft adgangskode',
+ 'password_hint' => 'Skal være på mindst 8 karakterer',
+ 'forgot_password' => 'Glemt Adgangskode?',
+ 'remember_me' => 'Husk Mig',
+ 'ldap_email_hint' => 'Angiv venligst din kontos e-mail.',
+ 'create_account' => 'Opret Konto',
+ 'already_have_account' => 'Har du allerede en konto?',
+ 'dont_have_account' => 'Har du ikke en konto?',
+ 'social_login' => 'Social Log ind',
+ 'social_registration' => 'Social Registrering',
+ 'social_registration_text' => 'Registrér og log ind med anden service.',
+
+ 'register_thanks' => 'Tak for registreringen!',
+ 'register_confirm' => 'Check venligst din e-mail og klik deri på bekræftelses knappen for at tilgå :appName.',
+ 'registrations_disabled' => 'Registrering er i øjeblikket deaktiveret',
+ 'registration_email_domain_invalid' => 'E-Mail domænet har ikke adgang til denne applikation',
+ 'register_success' => 'Tak for din registrering. Du er nu registeret og logget ind.',
+
+
+ // Password Reset
+ 'reset_password' => 'Nulstil adgangskode',
+ 'reset_password_send_instructions' => 'Indtast din E-Mail herunder og du vil blive sendt en E-Mail med et link til at nulstille din adgangskode.',
+ 'reset_password_send_button' => 'Send link til nulstilling',
+ 'reset_password_sent_success' => 'Et link til at nulstille adgangskoden er blevet sendt til :email.',
+ 'reset_password_success' => 'Din adgangskode er blevet nulstillet.',
+ 'email_reset_subject' => 'Nulstil din :appName adgangskode',
+ 'email_reset_text' => 'Du modtager denne E-Mail fordi vi har modtaget en anmodning om at nulstille din adgangskode.',
+ 'email_reset_not_requested' => 'Hvis du ikke har anmodet om at få din adgangskode nulstillet, behøver du ikke at foretage dig noget.',
+
+
+ // Email Confirmation
+ 'email_confirm_subject' => 'Bekræft din E-Mail på :appName',
+ 'email_confirm_greeting' => 'Tak for at oprette dig på :appName!',
+ 'email_confirm_text' => 'Bekræft venligst din E-Mail adresse ved at klikke på linket nedenfor:',
+ 'email_confirm_action' => 'Bekræft E-Mail',
+ 'email_confirm_send_error' => 'E-Mail-bekræftelse kræves, men systemet kunne ikke sende E-Mailen. Kontakt administratoren for at sikre, at E-Mail er konfigureret korrekt.',
+ 'email_confirm_success' => 'Din E-Mail er blevet bekræftet!',
+ 'email_confirm_resent' => 'Bekræftelsesmail sendt, tjek venligst din indboks.',
+
+ 'email_not_confirmed' => 'E-Mail adresse ikke bekræftet',
+ 'email_not_confirmed_text' => 'Din E-Mail adresse er endnu ikke blevet bekræftet.',
+ 'email_not_confirmed_click_link' => 'Klik venligst på linket i E-Mailen der blev sendt kort efter du registrerede dig.',
+ 'email_not_confirmed_resend' => 'Hvis du ikke kan finde E-Mailen, kan du du få gensendt bekræftelsesemailen ved at trykke herunder.',
+ 'email_not_confirmed_resend_button' => 'Gensend bekræftelsesemail',
+
+ // User Invite
+ 'user_invite_email_subject' => 'Du er blevet inviteret til :appName!',
+ 'user_invite_email_greeting' => 'En konto er blevet oprettet til dig på :appName.',
+ 'user_invite_email_text' => 'Klik på knappen nedenunderm for at sætte en adgangskode og opnå adgang:',
+ 'user_invite_email_action' => 'Set adgangskode',
+ 'user_invite_page_welcome' => 'Velkommen til :appName!',
+ 'user_invite_page_text' => 'For at færdiggøre din konto og få adgang skal du indstille en adgangskode, der bruges til at logge ind på :appName ved fremtidige besøg.',
+ 'user_invite_page_confirm_button' => 'Bekræft adgangskode',
+ 'user_invite_success' => 'Adgangskode indstillet, du har nu adgang til :appName!'
+];
\ No newline at end of file
--- /dev/null
+<?php
+/**
+ * Common elements found throughout many areas of BookStack.
+ */
+return [
+
+ // Buttons
+ 'cancel' => 'Annuller',
+ 'confirm' => 'Bekræft',
+ 'back' => 'Tilbage',
+ 'save' => 'Gem',
+ 'continue' => 'Fortsæt',
+ 'select' => 'Vælg',
+ 'toggle_all' => 'Vælg/Fravælg alle',
+ 'more' => 'Mere',
+
+ // Form Labels
+ 'name' => 'Navn',
+ 'description' => 'Beskrivelse',
+ 'role' => 'Rolle',
+ 'cover_image' => 'Coverbillede',
+ 'cover_image_description' => 'Dette billede skal være omtrent 440x250px.',
+
+ // Actions
+ 'actions' => 'Handlinger',
+ 'view' => 'Vis',
+ 'view_all' => 'Vis alle',
+ 'create' => 'Opret',
+ 'update' => 'Opdater',
+ 'edit' => 'Rediger',
+ 'sort' => 'Sorter',
+ 'move' => 'Flyt',
+ 'copy' => 'Kopier',
+ 'reply' => 'Besvar',
+ 'delete' => 'Slet',
+ 'search' => 'Søg',
+ 'search_clear' => 'Ryd søgning',
+ 'reset' => 'Nulstil',
+ 'remove' => 'Fjern',
+ 'add' => 'Tilføj',
+ 'fullscreen' => 'Fuld skærm',
+
+ // Sort Options
+ 'sort_options' => 'Sorteringsindstillinger',
+ 'sort_direction_toggle' => 'Sorteringsretning',
+ 'sort_ascending' => 'Sorter stigende',
+ 'sort_descending' => 'Sorter faldende',
+ 'sort_name' => 'Navn',
+ 'sort_created_at' => 'Oprettelsesdato',
+ 'sort_updated_at' => 'Opdateringsdato',
+
+ // Misc
+ 'deleted_user' => 'Slettet bruger',
+ 'no_activity' => 'Ingen aktivitet at vise',
+ 'no_items' => 'Intet indhold tilgængeligt',
+ 'back_to_top' => 'Tilbage til toppen',
+ 'toggle_details' => 'Vis/skjul detaljer',
+ 'toggle_thumbnails' => 'Vis/skjul miniaturer',
+ 'details' => 'Detaljer',
+ 'grid_view' => 'Gittervisning',
+ 'list_view' => 'Listevisning',
+ 'default' => 'Standard',
+ 'breadcrumb' => 'Brødkrumme',
+
+ // Header
+ 'profile_menu' => 'Profilmenu',
+ 'view_profile' => 'Vis profil',
+ 'edit_profile' => 'Redigér Profil',
+
+ // Layout tabs
+ 'tab_info' => 'Info',
+ 'tab_content' => 'Indhold',
+
+ // Email Content
+ 'email_action_help' => 'Hvis du har problemer med at trykke på ":actionText" knappen, prøv at kopiere og indsætte linket herunder ind i din webbrowser:',
+ 'email_rights' => 'Alle rettigheder forbeholdes',
+];
--- /dev/null
+<?php
+/**
+ * Text used in custom JavaScript driven components.
+ */
+return [
+
+ // Image Manager
+ 'image_select' => 'Billedselektion',
+ 'image_all' => 'Alt',
+ 'image_all_title' => 'Se alle billeder',
+ 'image_book_title' => 'Vis billeder uploadet til denne bog',
+ 'image_page_title' => 'Vis billeder uploadet til denne side',
+ 'image_search_hint' => 'Søg efter billednavn',
+ 'image_uploaded' => 'Uploadet :uploadedDate',
+ 'image_load_more' => 'Indlæse mere',
+ 'image_image_name' => 'Billednavn',
+ 'image_delete_used' => 'Dette billede er brugt på siderne nedenfor.',
+ 'image_delete_confirm' => 'Tryk på slet igen for at bekræft at du ønsker at slette dette billede.',
+ 'image_select_image' => 'Vælg billede',
+ 'image_dropzone' => 'Træk-og-slip billede eller klik her for at uploade',
+ 'images_deleted' => 'Billede slettet',
+ 'image_preview' => 'Billedeksempel',
+ 'image_upload_success' => 'Foto uploadet',
+ 'image_update_success' => 'Billeddetaljer succesfuldt opdateret',
+ 'image_delete_success' => 'Billede slettet',
+ 'image_upload_remove' => 'Fjern',
+
+ // Code Editor
+ 'code_editor' => 'Rediger kode',
+ 'code_language' => 'Kodesprog',
+ 'code_content' => 'Kodeindhold',
+ 'code_save' => 'Gem kode',
+];
--- /dev/null
+<?php
+/**
+ * Text used for 'Entities' (Document Structure Elements) such as
+ * Books, Shelves, Chapters & Pages
+ */
+return [
+
+ // Shared
+ 'recently_created' => 'Nyligt oprettet',
+ 'recently_created_pages' => 'Nyligt oprettede sider',
+ 'recently_updated_pages' => 'Nyligt opdaterede sider',
+ 'recently_created_chapters' => 'Nyligt oprettede kapitler',
+ 'recently_created_books' => 'Nyligt oprettede bøger',
+ 'recently_created_shelves' => 'Nyligt oprettede reoler',
+ 'recently_update' => 'Opdateret for nyligt',
+ 'recently_viewed' => 'Senest viste',
+ 'recent_activity' => 'Seneste aktivitet',
+ 'create_now' => 'Opret en nu',
+ 'revisions' => 'Revisioner',
+ 'meta_revision' => 'Revision #:revisionCount',
+ 'meta_created' => 'Oprettet :timeLength',
+ 'meta_created_name' => 'Oprettet :timeLength af :user',
+ 'meta_updated' => 'Opdateret :timeLength',
+ 'meta_updated_name' => 'Opdateret :timeLength af :user',
+ 'entity_select' => 'Vælg emne',
+ 'images' => 'Billeder',
+ 'my_recent_drafts' => 'Mine seneste kladder',
+ 'my_recently_viewed' => 'Mine senest viste',
+ 'no_pages_viewed' => 'Du har ikke besøgt nogle sider',
+ 'no_pages_recently_created' => 'Ingen sider er blevet oprettet for nyligt',
+ 'no_pages_recently_updated' => 'Ingen sider er blevet opdateret for nyligt',
+ 'export' => 'Exporter',
+ 'export_html' => 'Indeholdt webfil',
+ 'export_pdf' => 'PDF-fil',
+ 'export_text' => 'Almindelig tekstfil',
+
+ // Permissions and restrictions
+ 'permissions' => 'Rettigheder',
+ 'permissions_intro' => 'Når de er aktiveret, vil disse tilladelser have prioritet over alle indstillede rolletilladelser.',
+ 'permissions_enable' => 'Aktivér tilpassede tilladelser',
+ 'permissions_save' => 'Gem tilladelser',
+
+ // Search
+ 'search_results' => 'Søgeresultater',
+ 'search_total_results_found' => ':count resultat fundet|:count resultater fundet',
+ 'search_clear' => 'Ryd søgning',
+ 'search_no_pages' => 'Ingen sider matchede søgning',
+ 'search_for_term' => 'Søgning for :term',
+ 'search_more' => 'Flere resultater',
+ 'search_filters' => 'Søgefiltre',
+ 'search_content_type' => 'Indholdstype',
+ 'search_exact_matches' => 'Nøjagtige matches',
+ 'search_tags' => 'Tagsøgninger',
+ 'search_options' => 'Indstillinger',
+ 'search_viewed_by_me' => 'Set af mig',
+ 'search_not_viewed_by_me' => 'Ikke set af mig',
+ 'search_permissions_set' => 'Rettigheders sæt',
+ 'search_created_by_me' => 'Oprettet af mig',
+ 'search_updated_by_me' => 'Opdateret af mig',
+ 'search_date_options' => 'Datoindstillinger',
+ 'search_updated_before' => 'Opdateret før',
+ 'search_updated_after' => 'Opdateret efter',
+ 'search_created_before' => 'Oprettet før',
+ 'search_created_after' => 'Oprettet efter',
+ 'search_set_date' => 'Sæt dato',
+ 'search_update' => 'Opdatér søgning',
+
+ // Shelves
+ 'shelf' => 'Reol',
+ 'shelves' => 'Reoler',
+ 'x_shelves' => ':count reol|:count reoler',
+ 'shelves_long' => 'Bogreoler',
+ 'shelves_empty' => 'Ingen reoler er blevet oprettet',
+ 'shelves_create' => 'Opret ny reol',
+ 'shelves_popular' => 'Populære reoler',
+ 'shelves_new' => 'Nye reoler',
+ 'shelves_new_action' => 'Ny reol',
+ 'shelves_popular_empty' => 'De mest populære reoler vil blive vist her.',
+ 'shelves_new_empty' => 'De nyeste reoler vil blive vist her.',
+ 'shelves_save' => 'Gem reol',
+ 'shelves_books' => 'Bøger på denne reol',
+ 'shelves_add_books' => 'Tilføj bøger til denne reol',
+ 'shelves_drag_books' => 'Træk bog her for at tilføje dem til denne reol',
+ 'shelves_empty_contents' => 'Denne reol har ingen bøger tilknyttet til den',
+ 'shelves_edit_and_assign' => 'Rediger reol for at tilføje bøger',
+ 'shelves_edit_named' => 'Rediger reol :name',
+ 'shelves_edit' => 'Rediger reol',
+ 'shelves_delete' => 'Slet reol',
+ 'shelves_delete_named' => 'Slet bogreol :name',
+ 'shelves_delete_explain' => "Dette vil slette bogreolen med navn ':name'. Bøger heri vil ikke blive slettet.",
+ 'shelves_delete_confirmation' => 'Er du sikker på at du vil slette denne bogreol?',
+ 'shelves_permissions' => 'Reoltilladelser',
+ 'shelves_permissions_updated' => 'Reoltilladelser opdateret',
+ 'shelves_permissions_active' => 'Aktive reoltilladelser',
+ 'shelves_copy_permissions_to_books' => 'Kopier tilladelser til bøger',
+ 'shelves_copy_permissions' => 'Kopier tilladelser',
+ 'shelves_copy_permissions_explain' => 'Dette vil anvende de aktuelle tilladelsesindstillinger på denne boghylde på alle bøger indeholdt i. Før aktivering skal du sikre dig, at ændringer i tilladelserne til denne boghylde er blevet gemt.',
+ 'shelves_copy_permission_success' => 'Reolstilladelser kopieret til :count bøger',
+
+ // Books
+ 'book' => 'Bog',
+ 'books' => 'Bøger',
+ 'x_books' => ':count bog|:count bøger',
+ 'books_empty' => 'Ingen bøger er blevet oprettet',
+ 'books_popular' => 'Populære bøger',
+ 'books_recent' => 'Nylige bøger',
+ 'books_new' => 'Nye bøger',
+ 'books_new_action' => 'Ny bog',
+ 'books_popular_empty' => 'De mest populære bøger vil blive vist her.',
+ 'books_new_empty' => 'De nyeste boger vil blive vist her.',
+ 'books_create' => 'Lav en ny bog',
+ 'books_delete' => 'Slet bog',
+ 'books_delete_named' => 'Slet bog :bookName',
+ 'books_delete_explain' => 'Dette vil slette bogen ved navn \':bookName\'. Alle sider og kapitler vil blive slettet.',
+ 'books_delete_confirmation' => 'Er du sikker på at du vil slette denne bog?',
+ 'books_edit' => 'Rediger bog',
+ 'books_edit_named' => 'Rediger bog :bookName',
+ 'books_form_book_name' => 'Bognavn',
+ 'books_save' => 'Gem bog',
+ 'books_permissions' => 'Bogtilladelser',
+ 'books_permissions_updated' => 'Bogtilladelser opdateret',
+ 'books_empty_contents' => 'Ingen sider eller kapitler er blevet oprettet i denne bog.',
+ 'books_empty_create_page' => 'Opret en ny side',
+ 'books_empty_sort_current_book' => 'Sortér denne bog',
+ 'books_empty_add_chapter' => 'Tilføj et kapitel',
+ 'books_permissions_active' => 'Aktive bogtilladelser',
+ 'books_search_this' => 'Søg i denne bog',
+ 'books_navigation' => 'Bognavigation',
+ 'books_sort' => 'Sorter bogindhold',
+ 'books_sort_named' => 'Sorter bog :bookName',
+ 'books_sort_name' => 'Sortér efter navn',
+ 'books_sort_created' => 'Sortér efter oprettelsesdato',
+ 'books_sort_updated' => 'Sortér efter opdateringsdato',
+ 'books_sort_chapters_first' => 'Kapitler først',
+ 'books_sort_chapters_last' => 'Kapitler sidst',
+ 'books_sort_show_other' => 'Vis andre bøger',
+ 'books_sort_save' => 'Gem ny ordre',
+
+ // Chapters
+ 'chapter' => 'Kapitel',
+ 'chapters' => 'Kapitler',
+ 'x_chapters' => ':count kapitel|:count kapitler',
+ 'chapters_popular' => 'Populære kapitler',
+ 'chapters_new' => 'Nyt kapitel',
+ 'chapters_create' => 'Opret nyt kapitel',
+ 'chapters_delete' => 'Slet kapitel',
+ 'chapters_delete_named' => 'Slet kapitel :chapterName',
+ 'chapters_delete_explain' => 'Dette vil slette kapitlet med navnet \':chapterName\'. Alle sider fjernes og tilføjes direkte til den tilhørende bog.',
+ 'chapters_delete_confirm' => 'Er du sikker på du vil slette dette kapitel?',
+ 'chapters_edit' => 'Rediger kapitel',
+ 'chapters_edit_named' => 'Rediger kapitel :chapterName',
+ 'chapters_save' => 'Gem kapitel',
+ 'chapters_move' => 'Flyt kapitel',
+ 'chapters_move_named' => 'Flyt kapitel :chapterName',
+ 'chapter_move_success' => 'Kapitel flyttet til :bookName',
+ 'chapters_permissions' => 'Kapiteltilladelser',
+ 'chapters_empty' => 'Der er lige nu ingen sider i dette kapitel.',
+ 'chapters_permissions_active' => 'Aktive kapiteltilladelser',
+ 'chapters_permissions_success' => 'Kapiteltilladelser opdateret',
+ 'chapters_search_this' => 'Søg i dette kapitel',
+
+ // Pages
+ 'page' => 'Side',
+ 'pages' => 'Sider',
+ 'x_pages' => ':count Side|:count Sider',
+ 'pages_popular' => 'Populære sider',
+ 'pages_new' => 'Ny side',
+ 'pages_attachments' => 'Vedhæftninger',
+ 'pages_navigation' => 'Sidenavigation',
+ 'pages_delete' => 'Slet side',
+ 'pages_delete_named' => 'Slet side :pageName',
+ 'pages_delete_draft_named' => 'Slet kladdesidde :pageName',
+ 'pages_delete_draft' => 'Slet kladdeside',
+ 'pages_delete_success' => 'Side slettet',
+ 'pages_delete_draft_success' => 'Kladdeside slettet',
+ 'pages_delete_confirm' => 'Er du sikker på, du vil slette denne side?',
+ 'pages_delete_draft_confirm' => 'Er du sikker på at du vil slette denne kladdesidde?',
+ 'pages_editing_named' => 'Redigerer :pageName',
+ 'pages_edit_draft_options' => 'Kladdeindstillinger',
+ 'pages_edit_save_draft' => 'Gem kladde',
+ 'pages_edit_draft' => 'Rediger sidekladde',
+ 'pages_editing_draft' => 'Redigerer kladde',
+ 'pages_editing_page' => 'Redigerer side',
+ 'pages_edit_draft_save_at' => 'Kladde gemt ved ',
+ 'pages_edit_delete_draft' => 'Slet kladde',
+ 'pages_edit_discard_draft' => 'Kassér kladde',
+ 'pages_edit_set_changelog' => 'Sæt ændringsoversigt',
+ 'pages_edit_enter_changelog_desc' => 'Indtast en kort beskrivelse af ændringer du har lavet',
+ 'pages_edit_enter_changelog' => 'Indtast ændringsoversigt',
+ 'pages_save' => 'Gem siden',
+ 'pages_title' => 'Overskrift',
+ 'pages_name' => 'Sidenavn',
+ 'pages_md_editor' => 'Editor',
+ 'pages_md_preview' => 'Forhåndsvisning',
+ 'pages_md_insert_image' => 'Indsæt billede',
+ 'pages_md_insert_link' => 'Indsæt emnelink',
+ 'pages_md_insert_drawing' => 'Indsæt tegning',
+ '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',
+ 'pages_permissions' => 'Sidetilladelser',
+ 'pages_permissions_success' => 'Sidetilladelser opdateret',
+ 'pages_revision' => 'Revision',
+ 'pages_revisions' => 'Sidserevisioner',
+ 'pages_revisions_named' => 'Siderevisioner for :pageName',
+ 'pages_revision_named' => 'Siderevision for :pageName',
+ 'pages_revisions_created_by' => 'Oprettet af',
+ 'pages_revisions_date' => 'Revisionsdato',
+ 'pages_revisions_number' => '#',
+ 'pages_revisions_numbered' => 'Revision #:id',
+ 'pages_revisions_numbered_changes' => 'Revision #:id ændringer',
+ 'pages_revisions_changelog' => 'Ændringsoversigt',
+ 'pages_revisions_changes' => 'Ændringer',
+ 'pages_revisions_current' => 'Nuværende version',
+ 'pages_revisions_preview' => 'Forhåndsvisning',
+ '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_permissions_active' => 'Aktive sidetilladelser',
+ 'pages_initial_revision' => 'Første udgivelse',
+ 'pages_initial_name' => 'Ny side',
+ 'pages_editing_draft_notification' => 'Du redigerer en kladde der sidst var gemt :timeDiff.',
+ 'pages_draft_edited_notification' => 'Siden har været opdateret siden da. Det er anbefalet at du kasserer denne kladde.',
+ 'pages_draft_edit_active' => [
+ 'start_a' => ':count brugerer har begyndt at redigere denne side',
+ 'start_b' => ':userName er begyndt at redigere denne side',
+ 'time_a' => 'siden siden sidst blev opdateret',
+ '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_specific' => 'Specifik side',
+ 'pages_is_template' => 'Sideskabelon',
+
+ // Editor Sidebar
+ 'page_tags' => 'Sidetags',
+ 'chapter_tags' => 'Kapiteltags',
+ 'book_tags' => 'Bogtags',
+ 'shelf_tags' => 'Reoltags',
+ 'tag' => 'Tag',
+ 'tags' => 'Tags',
+ 'tag_name' => 'Tagnavn',
+ 'tag_value' => 'Tagværdi (valgfri)',
+ 'tags_explain' => "Tilføj nogle tags for bedre at kategorisere dit indhold. \n Du kan tildele en værdi til et tag for mere dybdegående organisering.",
+ 'tags_add' => 'Tilføj endnu et tag',
+ 'tags_remove' => 'Fjern dette tag',
+ 'attachments' => 'Vedhæftninger',
+ 'attachments_explain' => 'Upload nogle filer, eller vedhæft nogle links, der skal vises på siden. Disse er synlige i sidepanelet.',
+ 'attachments_explain_instant_save' => 'Ændringer her gemmes med det samme.',
+ 'attachments_items' => 'Vedhæftede emner',
+ 'attachments_upload' => 'Upload fil',
+ 'attachments_link' => 'Vedhæft link',
+ 'attachments_set_link' => 'Sæt link',
+ 'attachments_delete_confirm' => 'Tryk på slet igen for at bekræft at du ønsker at slette denne vedhæftning.',
+ 'attachments_dropzone' => 'Slip filer eller klik her for at vedhæfte en fil',
+ 'attachments_no_files' => 'Ingen filer er blevet overført',
+ 'attachments_explain_link' => 'Du kan vedhæfte et link, hvis du foretrækker ikke at uploade en fil. Dette kan være et link til en anden side eller et link til en fil i skyen.',
+ 'attachments_link_name' => 'Linknavn',
+ 'attachment_link' => 'Vedhæftningslink',
+ 'attachments_link_url' => 'Link til filen',
+ 'attachments_link_url_hint' => 'Adresse (URL) på side eller fil',
+ 'attach' => 'Vedhæft',
+ 'attachments_edit_file' => 'Rediger fil',
+ 'attachments_edit_file_name' => 'Filnavn',
+ 'attachments_edit_drop_upload' => 'Slip filer eller klik her for at uploade og overskrive',
+ 'attachments_order_updated' => 'Vedhæftningsordre opdateret',
+ 'attachments_updated_success' => 'Vedhæftningsdetaljer opdateret',
+ 'attachments_deleted' => 'Vedhæftning slettet',
+ 'attachments_file_uploaded' => 'Filen blev uploadet korrekt',
+ 'attachments_file_updated' => 'Filen blev opdateret korrekt',
+ 'attachments_link_attached' => 'Link succesfuldt vedhæftet til side',
+ 'templates' => 'Skabeloner',
+ 'templates_set_as_template' => 'Side er en skabelon',
+ 'templates_explain_set_as_template' => 'Du kan indstille denne side som en skabelon, så dens indhold bruges, når du opretter andre sider. Andre brugere vil kunne bruge denne skabelon, hvis de har visningstilladelser til denne side.',
+ 'templates_replace_content' => 'Udskift sideindhold',
+ 'templates_append_content' => 'Tilføj efter sideindhold',
+ 'templates_prepend_content' => 'Tilføj før sideindhold',
+
+ // Profile View
+ 'profile_user_for_x' => 'Bruger i :time',
+ 'profile_created_content' => 'Oprettet indhold',
+ 'profile_not_created_pages' => ':userName har ikke oprettet nogle sider',
+ 'profile_not_created_chapters' => ':userName har ikke oprettet nogle kapitler',
+ 'profile_not_created_books' => ':userName har ikke oprettet nogle bøger',
+ 'profile_not_created_shelves' => ':userName har ikke oprettet nogle reoler',
+
+ // Comments
+ 'comment' => 'Kommentar',
+ 'comments' => 'Kommentarer',
+ 'comment_add' => 'Tilføj kommentar',
+ '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_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',
+
+ // 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.'
+];
\ No newline at end of file
--- /dev/null
+<?php
+/**
+ * Text shown in error messaging.
+ */
+return [
+
+ // Permissions
+ 'permission' => 'Du har ikke tilladelse til at tilgå den efterspurgte side.',
+ 'permissionJson' => 'Du har ikke tilladelse til at udføre den valgte handling.',
+
+ // Auth
+ 'error_user_exists_different_creds' => 'En bruger med email :email eksistere allerede, men med andre legitimationsoplysninger.',
+ 'email_already_confirmed' => 'Email er allerede bekræftet. Prøv at logge ind.',
+ 'email_confirmation_invalid' => 'Denne bekræftelsestoken er ikke gyldig eller er allerede blevet brugt. Prøv at registrere dig igen.',
+ 'email_confirmation_expired' => 'Bekræftelsestoken er udløbet. En ny bekræftelsesmail er blevet sendt.',
+ 'email_confirmation_awaiting' => 'Mail-adressen for din konto i brug er nød til at blive bekræftet',
+ 'ldap_fail_anonymous' => 'LDAP-adgang fejlede ved brugen af annonym bind',
+ 'ldap_fail_authed' => 'LDAP adgang fejlede med de givne DN & kodeord oplysninger',
+ 'ldap_extension_not_installed' => 'LDAP PHP udvidelse er ikke installeret',
+ 'ldap_cannot_connect' => 'Kan ikke forbinde til ldap server. Indledende forbindelse mislykkedes',
+ 'saml_already_logged_in' => 'Allerede logget ind',
+ 'saml_user_not_registered' => 'Brugeren :name er ikke registreret, og automatisk registrering er slået fra',
+ 'saml_no_email_address' => 'Kunne ikke finde en e-mail-adresse for denne bruger i de data, der leveres af det eksterne godkendelsessystem',
+ 'saml_invalid_response_id' => 'Anmodningen fra det eksterne godkendelsessystem genkendes ikke af en proces, der er startet af denne applikation. Navigering tilbage efter et login kan forårsage dette problem.',
+ 'saml_fail_authed' => 'Login ved hjælp af :system failed, systemet har ikke givet tilladelse',
+ 'social_no_action_defined' => 'Ingen handling er defineret',
+ 'social_login_bad_response' => "Der opstod en fejl under :socialAccount login:\n:error",
+ 'social_account_in_use' => 'Denne :socialAccount konto er allerede i brug, prøv at logge ind med :socialAccount loginmetoden.',
+ 'social_account_email_in_use' => 'Emailen :email er allerede i brug. Hvis du allerede har en konto, kan du forbinde din :socialAccount fra dine profilindstillinger.',
+ 'social_account_existing' => ':socialAccount er allerede tilknyttet din profil.',
+ 'social_account_already_used_existing' => 'Denne :socialAccount konto er allerede i brug af en anden bruger.',
+ 'social_account_not_used' => 'Denne :socialAccount konto er ikke tilknyttet nogle brugere. Tilknyt den i dine profilindstillinger. ',
+ 'social_account_register_instructions' => 'Hvis du ikke har en konto, kan du registrere en konto gennem :socialAccount loginmetoden.',
+ 'social_driver_not_found' => 'Socialdriver ikke fundet',
+ 'social_driver_not_configured' => 'Dine :socialAccount indstillinger er ikke konfigureret korret.',
+ 'invite_token_expired' => 'Dette invitationslink er udløbet. I stedet kan du prøve at nulstille din kontos kodeord.',
+
+ // System
+ 'path_not_writable' => 'Filsti :filePath kunne ikke uploades til. Sørg for at den kan skrives til af webserveren.',
+ 'cannot_get_image_from_url' => 'Kan ikke finde billede på :url',
+ 'cannot_create_thumbs' => 'Serveren kan ikke oprette miniaturer. Kontroller, at GD PHP-udvidelsen er installeret.',
+ 'server_upload_limit' => 'Serveren tillader ikke uploads af denne størrelse. Prøv en mindre filstørrelse.',
+ 'uploaded' => 'Serveren tillader ikke uploads af denne størrelse. Prøv en mindre filstørrelse.',
+ 'image_upload_error' => 'Der opstod en fejl ved upload af billedet',
+ 'image_upload_type_error' => 'Billedtypen, der uploades, er ugyldig',
+ 'file_upload_timeout' => 'Filuploaden udløb.',
+
+ // Attachments
+ 'attachment_page_mismatch' => 'Der blev fundet en uoverensstemmelse på siden under opdatering af vedhæftet fil',
+ 'attachment_not_found' => 'Vedhæftning ikke fundet',
+
+ // Pages
+ 'page_draft_autosave_fail' => 'Kunne ikke gemme kladde. Tjek at du har internetforbindelse før du gemmer siden',
+ 'page_custom_home_deletion' => 'Kan ikke slette en side der er sat som forside',
+
+ // Entities
+ 'entity_not_found' => 'Emne ikke fundet',
+ 'bookshelf_not_found' => 'Bogreol ikke fundet',
+ 'book_not_found' => 'Bog ikke fundet',
+ 'page_not_found' => 'Side ikke fundet',
+ 'chapter_not_found' => 'Kapitel ikke fundet',
+ 'selected_book_not_found' => 'Den valgte bog kunne ikke findes',
+ 'selected_book_chapter_not_found' => 'Den valgte bog eller kapitel kunne ikke findes',
+ 'guests_cannot_save_drafts' => 'Gæster kan ikke gemme kladder',
+
+ // Users
+ 'users_cannot_delete_only_admin' => 'Du kan ikke slette den eneste admin',
+ 'users_cannot_delete_guest' => 'Du kan ikke slette gæstebrugeren',
+
+ // Roles
+ 'role_cannot_be_edited' => 'Denne rolle kan ikke redigeres',
+ 'role_system_cannot_be_deleted' => 'Denne rolle er en systemrolle og kan ikke slettes',
+ 'role_registration_default_cannot_delete' => 'Kan ikke slette rollen mens den er sat som standardrolle for registrerede brugere',
+ 'role_cannot_remove_only_admin' => 'Denne bruger er den eneste bruger der har administratorrollen. Tilføj en anden bruger til administratorrollen før du forsøger at slette den her.',
+
+ // Comments
+ 'comment_list' => 'Der opstod en fejl under hentning af kommentarerne.',
+ 'cannot_add_comment_to_draft' => 'Du kan ikke kommentere på en kladde.',
+ 'comment_add' => 'Der opstod en fejl under tilføjelse/opdatering af kommentaren.',
+ 'comment_delete' => 'Der opstod en fejl under sletning af kommentaren.',
+ 'empty_comment' => 'Kan ikke tilføje en tom kommentar.',
+
+ // Error pages
+ '404_page_not_found' => 'Siden blev ikke fundet',
+ 'sorry_page_not_found' => 'Beklager, siden du leder efter blev ikke fundet.',
+ 'return_home' => 'Gå tilbage til hjem',
+ 'error_occurred' => 'Der opstod en fejl',
+ 'app_down' => ':appName er nede lige nu',
+ 'back_soon' => 'Den er oppe igen snart.',
+
+ // API errors
+ 'api_no_authorization_found' => 'Der blev ikke fundet nogen autorisationstoken på anmodningen',
+ 'api_bad_authorization_format' => 'En autorisationstoken blev fundet på anmodningen, men formatet var forkert',
+ 'api_user_token_not_found' => 'Der blev ikke fundet nogen matchende API-token for det angivne autorisationstoken',
+ 'api_incorrect_token_secret' => 'Hemmeligheden leveret til det givne anvendte API-token er forkert',
+ 'api_user_no_api_permission' => 'Ejeren af den brugte API token har ikke adgang til at foretage API-kald',
+ 'api_user_token_expired' => 'Den brugte godkendelsestoken er udløbet',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Følgende fejl opstod under afsendelse af testemail:',
+
+];
--- /dev/null
+<?php
+/**
+ * Password Reminder Language Lines
+ * The following language lines are the default lines which match reasons
+ * that are given by the password broker for a password update attempt has failed.
+ */
+return [
+
+ 'password' => 'Adgangskoder skal være mindst otte tegn og svare til bekræftelsen.',
+ 'user' => "Vi kan ikke finde en bruger med den e-mail adresse.",
+ 'token' => 'Denne adgangskode nulstillingstoken er ugyldig.',
+ 'sent' => 'Vi har sendt dig en e-mail med et link til at nulstille adgangskoden!',
+ 'reset' => 'Dit kodeord er blevet nulstillet!',
+
+];
--- /dev/null
+<?php
+/**
+ * Settings text strings
+ * Contains all text strings used in the general settings sections of BookStack
+ * including users and roles.
+ */
+return [
+
+ // Common Messages
+ 'settings' => 'Indstillinger',
+ 'settings_save' => 'Gem indstillinger',
+ 'settings_save_success' => 'Indstillinger gemt',
+
+ // App Settings
+ 'app_customization' => 'Tilpasning',
+ 'app_features_security' => 'Funktioner & sikkerhed',
+ 'app_name' => 'Programnavn',
+ 'app_name_desc' => 'Dette er navnet vist i headeren og i systemafsendte E-Mails.',
+ 'app_name_header' => 'Vis navn i header',
+ 'app_public_access' => 'Offentlig adgang',
+ 'app_public_access_desc' => 'Aktivering af denne funktion giver besøgende, der ikke er logget ind, adgang til indhold i din BookStack-instans.',
+ 'app_public_access_desc_guest' => 'Adgang for ikke-registrerede besøgende kan kontrolleres via "Gæst" -brugeren.',
+ 'app_public_access_toggle' => 'Tillad offentlig adgang',
+ 'app_public_viewing' => 'Tillad offentlig visning?',
+ 'app_secure_images' => 'Højere sikkerhed for billeduploads',
+ 'app_secure_images_toggle' => 'Aktiver højere sikkerhed for billeduploads',
+ 'app_secure_images_desc' => 'Af ydeevneårsager er alle billeder offentlige. Denne funktion tilføjer en tilfældig, vanskelig at gætte streng foran billed-Url\'er. Sørg for, at mappeindekser ikke er aktiveret for at forhindre nem adgang.',
+ 'app_editor' => 'Sideeditor',
+ 'app_editor_desc' => 'Vælg hvilken editor der skal bruges af alle brugere til at redigere sider.',
+ 'app_custom_html' => 'Tilpasset HTML head-indhold',
+ 'app_custom_html_desc' => 'Al indhold tilføjet her, vil blive indsat i bunden af <head> sektionen på alle sider. Dette er brugbart til overskrivning af styling og tilføjelse af analysekode.',
+ 'app_custom_html_disabled_notice' => 'Brugerdefineret HTML-head indhold er deaktiveret på denne indstillingsside for at sikre, at ødelæggende ændringer kan rettes.',
+ 'app_logo' => 'Programlogo',
+ 'app_logo_desc' => 'Dette billede skal være 43px højt. <br> Større billeder vil blive skaleret ned.',
+ 'app_primary_color' => 'Primær programfarve',
+ 'app_primary_color_desc' => 'Sætter den primære farve for applikationen herunder banneret, knapper og links.',
+ 'app_homepage' => 'Programforside',
+ 'app_homepage_desc' => 'Vælg en visning, der skal vises på startsiden i stedet for standardvisningen. Sidetilladelser ignoreres for valgte sider.',
+ 'app_homepage_select' => 'Vælg en side',
+ 'app_disable_comments' => 'Deaktiver kommentarer',
+ 'app_disable_comments_toggle' => 'Deaktiver kommentar',
+ 'app_disable_comments_desc' => 'Deaktiverer kommentarer på tværs af alle sider i applikationen. <br> Eksisterende kommentarer vises ikke.',
+
+ // Color settings
+ 'content_colors' => 'Indholdsfarver',
+ 'content_colors_desc' => 'Sætter farver for alle elementer i sideorganisationshierarkiet. Valg af farver med en lignende lysstyrke som standardfarverne anbefales af hensyn til læsbarhed.',
+ 'bookshelf_color' => 'Bogreolfarve',
+ 'book_color' => 'Bogfarve',
+ 'chapter_color' => 'Kapitelfarve',
+ 'page_color' => 'Sidefarve',
+ 'page_draft_color' => 'Sidekladdefarve',
+
+ // Registration Settings
+ 'reg_settings' => 'Registrering',
+ 'reg_enable' => 'Aktivér tilmelding',
+ 'reg_enable_toggle' => 'Aktivér tilmelding',
+ 'reg_enable_desc' => 'Når registrering er aktiveret, vil alle kunne registrere sig som en applikationsbruger. Ved registrering får de en standardbrugerrolle.',
+ 'reg_default_role' => 'Standardrolle efter registrering',
+ 'reg_enable_external_warning' => 'Indstillingen ovenfor ignoreres, mens ekstern LDAP- eller SAML-godkendelse er aktiv. Brugerkonti for ikke-eksisterende medlemmer oprettes automatisk, hvis godkendelse mod det eksterne system, der er i brug, er vellykket.',
+ 'reg_email_confirmation' => 'Email bekræftelse',
+ 'reg_email_confirmation_toggle' => 'Kræv E-Mail bekræftelse',
+ 'reg_confirm_email_desc' => 'Hvis domænebegrænsning bruges, kræves e-mail-bekræftelse, og denne indstilling ignoreres.',
+ 'reg_confirm_restrict_domain' => 'Domæneregistrering',
+ 'reg_confirm_restrict_domain_desc' => 'Indtast en kommasepareret liste over e-mail-domæner, som du vil begrænse registreringen til. Brugere får en E-Mail for at bekræfte deres adresse, før de får tilladelse til at interagere med applikationen. <br> Bemærk, at brugere vil kunne ændre deres e-mail-adresser efter vellykket registrering.',
+ 'reg_confirm_restrict_domain_placeholder' => 'Ingen restriktion opsat',
+
+ // Maintenance settings
+ 'maint' => 'Vedligeholdelse',
+ 'maint_image_cleanup' => 'Ryd op i billeder',
+ 'maint_image_cleanup_desc' => "Scanner side & revisionsindhold for at kontrollere, hvilke billeder og tegninger, der i øjeblikket er i brug, og hvilke billeder, der er overflødige. Sørg for, at du opretter en komplet database og billedbackup, før du kører dette.",
+ 'maint_image_cleanup_ignore_revisions' => 'Ignorer billeder i revisioner',
+ 'maint_image_cleanup_run' => 'Kør Oprydning',
+ 'maint_image_cleanup_warning' => 'der blev fundet :count potentielt ubrugte billeder. Er du sikker på, at du vil slette disse billeder?',
+ 'maint_image_cleanup_success' => ':count: potentielt ubrugte billeder fundet og slettet!',
+ 'maint_image_cleanup_nothing_found' => 'Ingen ubrugte billeder fundet, intet slettet!',
+ 'maint_send_test_email' => 'Send en Testemail',
+ 'maint_send_test_email_desc' => 'Dette sender en testmail til din mailadresse specificeret på din profil.',
+ 'maint_send_test_email_run' => 'Afsend test E-Mail',
+ 'maint_send_test_email_success' => 'E-Mail sendt til :address',
+ 'maint_send_test_email_mail_subject' => 'Test E-Mail',
+ 'maint_send_test_email_mail_greeting' => 'E-Mail levering ser ud til at virke!',
+ 'maint_send_test_email_mail_text' => 'Tillykke! Da du har modtaget denne mailnotifikation, ser det ud som om, at dine mailindstillinger er opsat korrekt.',
+
+ // Role Settings
+ 'roles' => 'Roller',
+ 'role_user_roles' => 'Brugerroller',
+ 'role_create' => 'Opret en ny rolle',
+ 'role_create_success' => 'Rollen blev oprette korrekt',
+ 'role_delete' => 'Slet rolle',
+ 'role_delete_confirm' => 'Dette vil slette rollen med navnet \':roleName\'.',
+ 'role_delete_users_assigned' => 'Denne rolle er tildelt :userCount brugere. Hvis du vil rykke disse brugere fra denne rolle, kan du vælge en ny nedenunder.',
+ 'role_delete_no_migration' => "Ryk ikke brugere",
+ 'role_delete_sure' => 'Er du sikker på, at du vil slette denne rolle?',
+ 'role_delete_success' => 'Rollen blev slettet',
+ 'role_edit' => 'Rediger rolle',
+ 'role_details' => 'Rolledetaljer',
+ 'role_name' => 'Rollenavn',
+ 'role_desc' => 'Kort beskrivelse af rolle',
+ 'role_external_auth_id' => 'Eksterne godkendelses-IDer',
+ 'role_system' => 'Systemtilladelser',
+ 'role_manage_users' => 'Administrere brugere',
+ 'role_manage_roles' => 'Administrer roller & rollerettigheder',
+ 'role_manage_entity_permissions' => 'Administrer alle bog-, kapitel- & side-rettigheder',
+ 'role_manage_own_entity_permissions' => 'Administrer tilladelser på egne bøger, kapitler og sider',
+ 'role_manage_page_templates' => 'Administrer side-skabeloner',
+ 'role_access_api' => 'Tilgå system-API',
+ 'role_manage_settings' => 'Administrer app-indstillinger',
+ 'role_asset' => 'Tilladelser for medier og "assets"',
+ 'role_asset_desc' => 'Disse tilladelser kontrollerer standardadgang til medier og "assets" i systemet. Tilladelser til bøger, kapitler og sider tilsidesætter disse tilladelser.',
+ 'role_asset_admins' => 'Administratorer får automatisk adgang til alt indhold, men disse indstillinger kan vise eller skjule UI-indstillinger.',
+ 'role_all' => 'Alle',
+ 'role_own' => 'Eget',
+ 'role_controlled_by_asset' => 'Styres af det medie/"asset", de uploades til',
+ 'role_save' => 'Gem rolle',
+ 'role_update_success' => 'Rollen blev opdateret',
+ 'role_users' => 'Brugere med denne rolle',
+ 'role_users_none' => 'Ingen brugere er i øjeblikket tildelt denne rolle',
+
+ // Users
+ 'users' => 'Brugere',
+ 'user_profile' => 'Brugerprofil',
+ 'users_add_new' => 'Tilføj ny bruger',
+ 'users_search' => 'Søg efter brugere',
+ 'users_details' => 'Brugeroplysninger',
+ 'users_details_desc' => 'Angiv et visningsnavn og en E-Mail-adresse for denne bruger. E-Mail-adressen bruges til at logge ind på applikationen.',
+ 'users_details_desc_no_email' => 'Sætter et visningsnavn for denne bruger, så andre kan genkende dem.',
+ 'users_role' => 'Brugerroller',
+ 'users_role_desc' => 'Vælg hvilke roller denne bruger skal tildeles. Hvis en bruger er tildelt flere roller, sammenføres tilladelserne fra disse roller, og de får alle evnerne fra de tildelte roller.',
+ 'users_password' => 'Brugeradgangskode',
+ 'users_password_desc' => 'Sæt et kodeord, der bruges til at logge på applikationen. Dette skal være mindst 6 tegn langt.',
+ 'users_send_invite_text' => 'Du kan vælge at sende denne bruger en invitation på E-Mail, som giver dem mulighed for at indstille deres egen adgangskode, ellers kan du indstille deres adgangskode selv.',
+ 'users_send_invite_option' => 'Send bruger en invitationsmail',
+ 'users_external_auth_id' => 'Ekstern godkendelses ID',
+ 'users_external_auth_id_desc' => 'Dette er det ID, der bruges til at matche denne bruger ved kommunikation med dit eksterne godkendelsessystem.',
+ 'users_password_warning' => 'Udfyld kun nedenstående, hvis du vil ændre din adgangskode.',
+ 'users_system_public' => 'Denne bruger repræsenterer alle gæstebrugere, der besøger din instans. Den kan ikke bruges til at logge på, men tildeles automatisk.',
+ 'users_delete' => 'Slet bruger',
+ 'users_delete_named' => 'Slet bruger :userName',
+ 'users_delete_warning' => 'Dette vil helt slette denne bruger med navnet \':userName\' fra systemet.',
+ 'users_delete_confirm' => 'Er du sikker på, at du vil slette denne bruger?',
+ 'users_delete_success' => 'Brugere blev fjernet',
+ 'users_edit' => 'Rediger bruger',
+ 'users_edit_profile' => 'Rediger profil',
+ 'users_edit_success' => 'Bruger suscesfuldt opdateret',
+ 'users_avatar' => 'Brugeravatar',
+ 'users_avatar_desc' => 'Vælg et billede for at repræsentere denne bruger. Dette skal være ca. 256px kvadratisk.',
+ 'users_preferred_language' => 'Foretrukket sprog',
+ 'users_preferred_language_desc' => 'Denne indstilling ændrer det sprog, der bruges til applikationens brugergrænseflade. Dette påvirker ikke noget brugeroprettet indhold.',
+ 'users_social_accounts' => 'Sociale konti',
+ 'users_social_accounts_info' => 'Her kan du forbinde dine andre konti for hurtigere og lettere login. Afbrydelse af en konto her tilbagekalder ikke tidligere autoriseret adgang. Tilbagekald adgang fra dine profilindstillinger på den tilsluttede sociale konto.',
+ 'users_social_connect' => 'Forbind konto',
+ 'users_social_disconnect' => 'Frakobl konto',
+ 'users_social_connected' => ':socialAccount kontoen blev knyttet til din profil.',
+ 'users_social_disconnected' => ':socialAccount kontoen blev afbrudt fra din profil.',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'Ingen API tokens er blevet oprettet for denne bruger',
+ 'users_api_tokens_create' => 'Opret Token',
+ 'users_api_tokens_expires' => 'Udløber',
+ 'users_api_tokens_docs' => 'API-dokumentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Opret API-token',
+ 'user_api_token_name' => 'Navn',
+ 'user_api_token_name_desc' => 'Giv din token et læsbart navn som en fremtidig påmindelse om dets tilsigtede formål.',
+ '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.',
+ 'user_api_token_secret' => 'Token hemmelighed',
+ 'user_api_token_secret_desc' => 'Dette er et system genereret hemmelighed for denne token, som skal sendes i API-anmodninger. Dette vises kun denne ene gang, så kopier denne værdi til et sikkert sted.',
+ 'user_api_token_created' => 'Token oprettet :timeAgo',
+ 'user_api_token_updated' => 'Token opdateret :timeAgo',
+ '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',
+
+ //! If editing translations files directly please ignore this in all
+ //! languages apart from en. Content will be auto-copied from en.
+ //!////////////////////////////////
+ 'language_select' => [
+ 'en' => 'English',
+ 'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
+ 'de' => 'Deutsch (Sie)',
+ 'de_informal' => 'Deutsch (Du)',
+ 'es' => 'Español',
+ 'es_AR' => 'Español Argentina',
+ 'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
+ 'nl' => 'Nederlands',
+ 'pl' => 'Polski',
+ 'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
+ 'sk' => 'Slovensky',
+ 'sv' => 'Svenska',
+ 'tr' => 'Türkçe',
+ 'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
+ 'zh_CN' => '简体中文',
+ 'zh_TW' => '繁體中文',
+ ]
+ //!////////////////////////////////
+];
--- /dev/null
+<?php
+/**
+ * Validation Lines
+ * The following language lines contain the default error messages used by
+ * the validator class. Some of these rules have multiple versions such
+ * as the size rules. Feel free to tweak each of these messages here.
+ */
+return [
+
+ // Standard laravel validation lines
+ 'accepted' => ':attribute skal være accepteret.',
+ 'active_url' => ':attribute er ikke en gyldig URL.',
+ 'after' => ':attribute skal være en dato efter :date.',
+ 'alpha' => ':attribute må kun indeholde bogstaver.',
+ 'alpha_dash' => ':attribute må kun bestå af bogstaver, tal, binde- og under-streger.',
+ 'alpha_num' => ':attribute må kun indeholde bogstaver og tal.',
+ 'array' => ':attribute skal være et array.',
+ 'before' => ':attribute skal være en dato før :date.',
+ 'between' => [
+ 'numeric' => ':attribute skal være mellem :min og :max.',
+ 'file' => ':attribute skal være mellem :min og :max kilobytes.',
+ 'string' => ':attribute skal være mellem :min og :max tegn.',
+ 'array' => ':attribute skal have mellem :min og :max elementer.',
+ ],
+ 'boolean' => ':attribute-feltet skal være enten sandt eller falsk.',
+ 'confirmed' => ':attribute-bekræftelsen matcher ikke.',
+ 'date' => ':attribute er ikke en gyldig dato.',
+ 'date_format' => ':attribute matcher ikke formatet :format.',
+ 'different' => ':attribute og :other skal være forskellige.',
+ 'digits' => ':attribute skal være :digits cifre.',
+ 'digits_between' => ':attribute skal være mellem :min og :max cifre.',
+ 'email' => ':attribute skal være en gyldig mail-adresse.',
+ 'ends_with' => ':attribute skal slutte på en af følgende værdier: :values',
+ 'filled' => ':attribute er obligatorisk.',
+ 'gt' => [
+ 'numeric' => ':attribute skal være større end :value.',
+ 'file' => ':attribute skal være større end :value kilobytes.',
+ 'string' => ':attribute skal have mere end :value tegn.',
+ 'array' => ':attribute skal indeholde mere end :value elementer.',
+ ],
+ 'gte' => [
+ 'numeric' => ':attribute skal mindst være :value.',
+ 'file' => ':attribute skal være mindst :value kilobytes.',
+ 'string' => ':attribute skal indeholde mindst :value tegn.',
+ 'array' => ':attribute skal have :value elementer eller flere.',
+ ],
+ 'exists' => 'Den valgte :attribute er ikke gyldig.',
+ 'image' => ':attribute skal være et billede.',
+ 'image_extension' => ':attribute skal være et gyldigt og understøttet billedformat.',
+ 'in' => 'Den valgte :attribute er ikke gyldig.',
+ 'integer' => ':attribute skal være et heltal.',
+ 'ip' => ':attribute skal være en gyldig IP-adresse.',
+ 'ipv4' => ':attribute skal være en gyldig IPv4-adresse.',
+ 'ipv6' => ':attribute skal være en gyldig IPv6-adresse.',
+ 'json' => ':attribute skal være en gyldig JSON-streng.',
+ 'lt' => [
+ 'numeric' => ':attribute skal være mindre end :value.',
+ 'file' => ':attribute skal være mindre end :value kilobytes.',
+ 'string' => ':attribute skal have mindre end :value tegn.',
+ 'array' => ':attribute skal indeholde mindre end :value elementer.',
+ ],
+ 'lte' => [
+ 'numeric' => ':attribute skal være mindre end eller lig med :value.',
+ 'file' => 'The :attribute skal være mindre eller lig med :value kilobytes.',
+ 'string' => ':attribute skal maks være :value tegn.',
+ 'array' => ':attribute må ikke indeholde mere end :value elementer.',
+ ],
+ 'max' => [
+ 'numeric' => ':attribute må ikke overstige :max.',
+ 'file' => ':attribute må ikke overstige :max kilobytes.',
+ 'string' => ':attribute må ikke overstige :max. tegn.',
+ 'array' => ':attribute må ikke have mere end :max elementer.',
+ ],
+ 'mimes' => ':attribute skal være en fil af typen: :values.',
+ 'min' => [
+ 'numeric' => ':attribute skal mindst være :min.',
+ 'file' => ':attribute skal være mindst :min kilobytes.',
+ 'string' => ':attribute skal mindst være :min tegn.',
+ 'array' => ':attribute skal have mindst :min elementer.',
+ ],
+ 'no_double_extension' => ':attribute må kun indeholde én filtype.',
+ 'not_in' => 'Den valgte :attribute er ikke gyldig.',
+ 'not_regex' => ':attribute-formatet er ugyldigt.',
+ 'numeric' => ':attribute skal være et tal.',
+ 'regex' => ':attribute-formatet er ugyldigt.',
+ 'required' => ':attribute er obligatorisk.',
+ 'required_if' => ':attribute skal udfyldes når :other er :value.',
+ 'required_with' => ':attribute skal udfyldes når :values er udfyldt.',
+ 'required_with_all' => ':attribute skal udfyldes når :values er udfyldt.',
+ 'required_without' => ':attribute skal udfyldes når :values ikke er udfyldt.',
+ 'required_without_all' => ':attribute skal udfyldes når ingen af :values er udfyldt.',
+ 'same' => ':attribute og :other skal være ens.',
+ 'size' => [
+ 'numeric' => ':attribute skal være :size.',
+ 'file' => ':attribute skal være :size kilobytes.',
+ 'string' => ':attribute skal være :size tegn.',
+ 'array' => ':attribute skal indeholde :size elementer.',
+ ],
+ 'string' => ':attribute skal være tekst.',
+ 'timezone' => ':attribute skal være en gyldig zone.',
+ 'unique' => ':attribute er allerede i brug.',
+ 'url' => ':attribute-formatet er ugyldigt.',
+ 'uploaded' => 'Filen kunne ikke oploades. Serveren accepterer muligvis ikke filer af denne størrelse.',
+
+ // Custom validation lines
+ 'custom' => [
+ 'password-confirm' => [
+ 'required_with' => 'Adgangskodebekræftelse påkrævet',
+ ],
+ ],
+
+ // Custom validation attributes
+ 'attributes' => [],
+];
return [
// Pages
- 'page_create' => 'erstellt Seite',
+ 'page_create' => 'erstellte Seite',
'page_create_notification' => 'Die Seite wurde erfolgreich erstellt.',
- 'page_update' => 'aktualisiert Seite',
+ 'page_update' => 'aktualisierte Seite',
'page_update_notification' => 'Die Seite wurde erfolgreich aktualisiert.',
- 'page_delete' => 'löscht Seite',
+ 'page_delete' => 'gelöschte Seite',
'page_delete_notification' => 'Die Seite wurde erfolgreich gelöscht.',
- 'page_restore' => 'stellt Seite wieder her',
+ 'page_restore' => 'wiederhergestellte Seite',
'page_restore_notification' => 'Die Seite wurde erfolgreich wiederhergestellt.',
- 'page_move' => 'verschiebt Seite',
+ 'page_move' => 'Seite verschoben',
// Chapters
- 'chapter_create' => 'erstellt Kapitel',
+ 'chapter_create' => 'erstellte Kapitel',
'chapter_create_notification' => 'Das Kapitel wurde erfolgreich erstellt.',
- 'chapter_update' => 'aktualisiert Kapitel',
+ 'chapter_update' => 'aktualisierte Kapitel',
'chapter_update_notification' => 'Das Kapitel wurde erfolgreich aktualisiert.',
- 'chapter_delete' => 'löscht Kapitel',
+ 'chapter_delete' => 'löschte Kapitel',
'chapter_delete_notification' => 'Das Kapitel wurde erfolgreich gelöscht.',
- 'chapter_move' => 'verschiebt Kapitel',
+ 'chapter_move' => 'verschob Kapitel',
// Books
- 'book_create' => 'erstellt Buch',
+ 'book_create' => 'erstellte Buch',
'book_create_notification' => 'Das Buch wurde erfolgreich erstellt.',
- 'book_update' => 'aktualisiert Buch',
+ 'book_update' => 'aktualisierte Buch',
'book_update_notification' => 'Das Buch wurde erfolgreich aktualisiert.',
- 'book_delete' => 'löscht Buch',
+ 'book_delete' => 'löschte Buch',
'book_delete_notification' => 'Das Buch wurde erfolgreich gelöscht.',
- 'book_sort' => 'sortiert Buch',
+ 'book_sort' => 'sortierte Buch',
'book_sort_notification' => 'Das Buch wurde erfolgreich umsortiert.',
// Bookshelves
'email_not_confirmed_resend_button' => 'Bestätigungs-E-Mail erneut senden',
// User Invite
- 'user_invite_email_subject' => 'You have been invited to join :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_action' => 'Set Account Password',
- '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_success' => 'Password set, you now have access to :appName!'
+ 'user_invite_email_subject' => 'Du wurdest 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 zum Einloggen benötigt.',
+ 'user_invite_page_confirm_button' => 'Passwort wiederholen',
+ 'user_invite_success' => 'Passwort gesetzt, Sie haben nun Zugriff auf :appName!'
];
\ No newline at end of file
'reset' => 'Zurücksetzen',
'remove' => 'Entfernen',
'add' => 'Hinzufügen',
+ 'fullscreen' => 'Vollbild',
// Sort Options
- 'sort_options' => 'Sort Options',
- 'sort_direction_toggle' => 'Sort Direction Toggle',
- 'sort_ascending' => 'Sort Ascending',
- 'sort_descending' => 'Sort Descending',
+ 'sort_options' => 'Sortieroptionen',
+ 'sort_direction_toggle' => 'Sortierreihenfolge umkehren',
+ 'sort_ascending' => 'Aufsteigend sortieren',
+ 'sort_descending' => 'Absteigend sortieren',
'sort_name' => 'Name',
'sort_created_at' => 'Erstellungsdatum',
'sort_updated_at' => 'Aktualisierungsdatum',
'grid_view' => 'Gitteransicht',
'list_view' => 'Listenansicht',
'default' => 'Voreinstellung',
- 'breadcrumb' => 'Breadcrumb',
+ 'breadcrumb' => 'Brotkrumen',
// Header
- 'profile_menu' => 'Profile Menu',
+ 'profile_menu' => 'Profilmenü',
'view_profile' => 'Profil ansehen',
'edit_profile' => 'Profil bearbeiten',
'pages_delete_confirm' => 'Sind Sie sicher, dass Sie diese Seite löschen möchen?',
'pages_delete_draft_confirm' => 'Sind Sie sicher, dass Sie diesen Seitenentwurf löschen möchten?',
'pages_editing_named' => 'Seite ":pageName" bearbeiten',
- 'pages_edit_draft_options' => 'Draft Options',
+ 'pages_edit_draft_options' => 'Entwurfsoptionen',
'pages_edit_save_draft' => 'Entwurf speichern',
'pages_edit_draft' => 'Seitenentwurf bearbeiten',
'pages_editing_draft' => 'Seitenentwurf bearbeiten',
'pages_revisions_date' => 'Versionsdatum',
'pages_revisions_number' => '#',
'pages_revisions_numbered' => 'Revision #:id',
- 'pages_revisions_numbered_changes' => 'Revision #:id Changes',
+ 'pages_revisions_numbered_changes' => 'Revision #:id Änderungen',
'pages_revisions_changelog' => 'Änderungsprotokoll',
'pages_revisions_changes' => 'Änderungen',
'pages_revisions_current' => 'Aktuelle Version',
'message' => ':start :time. Achten Sie darauf, keine Änderungen von anderen Benutzern zu überschreiben!',
],
'pages_draft_discarded' => 'Entwurf verworfen. Der aktuelle Seiteninhalt wurde geladen.',
- 'pages_specific' => 'Specific Page',
- 'pages_is_template' => 'Page Template',
+ 'pages_specific' => 'Spezifische Seite',
+ 'pages_is_template' => 'Seitenvorlage',
// Editor Sidebar
'page_tags' => 'Seiten-Schlagwörter',
'shelf_tags' => 'Regal-Schlagwörter',
'tag' => 'Schlagwort',
'tags' => 'Schlagwörter',
- 'tag_name' => 'Tag Name',
+ 'tag_name' => 'Schlagwort Name',
'tag_value' => 'Inhalt (Optional)',
'tags_explain' => "Fügen Sie Schlagwörter hinzu, um Ihren Inhalt zu kategorisieren.\nSie können einen erklärenden Inhalt hinzufügen, um eine genauere Unterteilung vorzunehmen.",
'tags_add' => 'Weiteres Schlagwort hinzufügen',
- 'tags_remove' => 'Remove this tag',
+ 'tags_remove' => 'Diesen Tag entfernen',
'attachments' => 'Anhänge',
'attachments_explain' => 'Sie können auf Ihrer Seite Dateien hochladen oder Links hinzufügen. Diese werden in der Seitenleiste angezeigt.',
'attachments_explain_instant_save' => 'Änderungen werden direkt gespeichert.',
'attachments_file_uploaded' => 'Datei erfolgreich hochgeladen',
'attachments_file_updated' => 'Datei erfolgreich aktualisiert',
'attachments_link_attached' => 'Link erfolgreich der Seite hinzugefügt',
- 'templates' => 'Templates',
- 'templates_set_as_template' => 'Page is a template',
- 'templates_explain_set_as_template' => 'You can set this page as a template so its contents be utilized when creating other pages. Other users will be able to use this template if they have view permissions for this page.',
- 'templates_replace_content' => 'Replace page content',
- 'templates_append_content' => 'Append to page content',
- 'templates_prepend_content' => 'Prepend to page content',
+ 'templates' => 'Vorlagen',
+ 'templates_set_as_template' => 'Seite ist eine Vorlage',
+ 'templates_explain_set_as_template' => 'Sie können diese Seite als Vorlage festlegen, damit deren Inhalt beim Erstellen anderer Seiten verwendet werden kann. Andere Benutzer können diese Vorlage verwenden, wenn sie die Zugriffsrechte für diese Seite haben.',
+ 'templates_replace_content' => 'Seiteninhalt ersetzen',
+ 'templates_append_content' => 'An Seiteninhalt anhängen',
+ 'templates_prepend_content' => 'Seiteninhalt voranstellen',
// Profile View
'profile_user_for_x' => 'Benutzer seit :time',
'email_already_confirmed' => 'Die E-Mail-Adresse ist bereits bestätigt. Bitte melden Sie sich an.',
'email_confirmation_invalid' => 'Der Bestätigungslink ist nicht gültig oder wurde bereits verwendet. Bitte registrieren Sie sich erneut.',
'email_confirmation_expired' => 'Der Bestätigungslink ist abgelaufen. Es wurde eine neue Bestätigungs-E-Mail gesendet.',
+ 'email_confirmation_awaiting' => 'Die E-Mail-Adresse für das verwendete Konto muss bestätigt werden',
'ldap_fail_anonymous' => 'Anonymer LDAP-Zugriff ist fehlgeschlafgen',
'ldap_fail_authed' => 'LDAP-Zugriff mit DN und Passwort ist fehlgeschlagen',
'ldap_extension_not_installed' => 'LDAP-PHP-Erweiterung ist nicht installiert.',
'ldap_cannot_connect' => 'Die Verbindung zum LDAP-Server ist fehlgeschlagen. Beim initialen Verbindungsaufbau trat ein Fehler auf.',
'saml_already_logged_in' => 'Sie sind bereits angemeldet',
'saml_user_not_registered' => 'Kein Benutzer mit ID :name registriert und die automatische Registrierung ist deaktiviert',
+ 'saml_no_email_address' => 'Es konnte keine E-Mail-Adresse für diesen Benutzer in den vom externen Authentifizierungssystem zur Verfügung gestellten Daten gefunden werden',
+ 'saml_invalid_response_id' => 'Die Anfrage vom externen Authentifizierungssystem wird von einem von dieser Anwendung gestarteten Prozess nicht erkannt. Das Zurückgehen nach einem Login könnte dieses Problem verursachen.',
+ 'saml_fail_authed' => 'Anmeldung mit :system fehlgeschlagen, System konnte keine erfolgreiche Autorisierung bereitstellen',
'social_no_action_defined' => 'Es ist keine Aktion definiert',
'social_login_bad_response' => "Fehler bei der :socialAccount-Anmeldung: \n:error",
'social_account_in_use' => 'Dieses :socialAccount-Konto wird bereits verwendet. Bitte melden Sie sich mit dem :socialAccount-Konto an.',
'social_account_register_instructions' => 'Wenn Sie bisher keinen Social-Media Konto besitzen, können Sie ein solches Konto mit der :socialAccount Option anlegen.',
'social_driver_not_found' => 'Treiber für Social-Media-Konten nicht gefunden',
'social_driver_not_configured' => 'Ihr :socialAccount-Konto ist nicht korrekt konfiguriert.',
- 'invite_token_expired' => 'This invitation link has expired. You can instead try to reset your account password.',
+ 'invite_token_expired' => 'Dieser Einladungslink ist abgelaufen. Sie können stattdessen versuchen, Ihr Passwort zurückzusetzen.',
// System
'path_not_writable' => 'Die Datei kann nicht in den angegebenen Pfad :filePath hochgeladen werden. Stellen Sie sicher, dass dieser Ordner auf dem Server beschreibbar ist.',
'app_down' => ':appName befindet sich aktuell im Wartungsmodus.',
'back_soon' => 'Wir werden so schnell wie möglich wieder online sein.',
+ // API errors
+ 'api_no_authorization_found' => 'Kein Autorisierungs-Token für die Anfrage gefunden',
+ 'api_bad_authorization_format' => 'Ein Autorisierungs-Token wurde auf die Anfrage gefunden, aber das Format schien falsch zu sein',
+ 'api_user_token_not_found' => 'Es wurde kein passender API-Token für den angegebenen Autorisierungs-Token gefunden',
+ 'api_incorrect_token_secret' => 'Das für den angegebenen API-Token angegebene Kennwort ist falsch',
+ 'api_user_no_api_permission' => 'Der Besitzer des verwendeten API-Token hat keine Berechtigung für API-Aufrufe',
+ 'api_user_token_expired' => 'Das verwendete Autorisierungs-Token ist abgelaufen',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
'app_public_access_toggle' => 'Öffentlichen Zugriff erlauben',
'app_public_viewing' => 'Öffentliche Ansicht erlauben?',
'app_secure_images' => 'Erhöhte Sicherheit für hochgeladene Bilder aktivieren?',
- 'app_secure_images_toggle' => 'Enable higher security image uploads',
+ 'app_secure_images_toggle' => 'Aktiviere Bild-Upload höherer Sicherheit',
'app_secure_images_desc' => 'Aus Leistungsgründen sind alle Bilder öffentlich sichtbar. Diese Option fügt zufällige, schwer zu eratene, Zeichenketten zu Bild-URLs hinzu. Stellen sie sicher, dass Verzeichnisindizes deaktiviert sind, um einen einfachen Zugriff zu verhindern.',
'app_editor' => 'Seiteneditor',
'app_editor_desc' => 'Wählen Sie den Editor aus, der von allen Benutzern genutzt werden soll, um Seiten zu editieren.',
'app_custom_html' => 'Benutzerdefinierter HTML <head> Inhalt',
'app_custom_html_desc' => 'Jeder Inhalt, der hier hinzugefügt wird, wird am Ende der <head> Sektion jeder Seite eingefügt. Diese kann praktisch sein, um CSS Styles anzupassen oder Analytics-Code hinzuzufügen.',
- 'app_custom_html_disabled_notice' => 'Custom HTML head content is disabled on this settings page to ensure any breaking changes can be reverted.',
+ 'app_custom_html_disabled_notice' => 'Benutzerdefinierte HTML-Kopfzeileninhalte sind auf dieser Einstellungsseite deaktiviert, um sicherzustellen, dass alle Änderungen rückgängig gemacht werden können.',
'app_logo' => 'Anwendungslogo',
'app_logo_desc' => 'Dieses Bild sollte 43px hoch sein.
Größere Bilder werden verkleinert.',
'app_disable_comments_toggle' => 'Kommentare deaktivieren',
'app_disable_comments_desc' => 'Deaktiviert Kommentare über alle Seiten in der Anwendung. Vorhandene Kommentare werden nicht angezeigt.',
+ // Color settings
+ 'content_colors' => 'Inhaltsfarben',
+ 'content_colors_desc' => 'Legt Farben für alle Elemente in der Seitenorganisationshierarchie fest. Die Auswahl von Farben mit einer ähnlichen Helligkeit wie die Standardfarben wird zur Lesbarkeit empfohlen.',
+ 'bookshelf_color' => 'Regalfarbe',
+ 'book_color' => 'Buchfarbe',
+ 'chapter_color' => 'Kapitelfarbe',
+ 'page_color' => 'Seitenfarbe',
+ 'page_draft_color' => 'Seitenentwurfsfarbe',
+
// Registration Settings
'reg_settings' => 'Registrierungseinstellungen',
'reg_enable' => 'Registrierung erlauben?',
'reg_enable_toggle' => 'Registrierung erlauben',
'reg_enable_desc' => 'Wenn die Registrierung erlaubt ist, kann sich der Benutzer als Anwendungsbenutzer anmelden. Bei der Registrierung erhält er eine einzige, voreingestellte Benutzerrolle.',
'reg_default_role' => 'Standard-Benutzerrolle nach Registrierung',
+ 'reg_enable_external_warning' => 'Die obige Option wird ignoriert, während eine externe LDAP oder SAML Authentifizierung aktiv ist. Benutzerkonten für nicht existierende Mitglieder werden automatisch erzeugt, wenn die Authentifizierung gegen das verwendete externe System erfolgreich ist.',
'reg_email_confirmation' => 'Bestätigung per E-Mail',
'reg_email_confirmation_toggle' => 'Bestätigung per E-Mail erforderlich',
'reg_confirm_email_desc' => 'Falls die Einschränkung für Domains genutzt wird, ist die Bestätigung per E-Mail zwingend erforderlich und der untenstehende Wert wird ignoriert.',
'maint_image_cleanup_warning' => ':count eventuell unbenutze Bilder wurden gefunden. Möchten Sie diese Bilder löschen?',
'maint_image_cleanup_success' => ':count eventuell unbenutze Bilder wurden gefunden und gelöscht.',
'maint_image_cleanup_nothing_found' => 'Keine unbenutzen Bilder gefunden. Nichts zu löschen!',
+ 'maint_send_test_email' => 'Test Email versenden',
+ 'maint_send_test_email_desc' => 'Dies sendet eine Test E-Mail an Ihre in Ihrem Profil angegebene E-Mail-Adresse.',
+ 'maint_send_test_email_run' => 'Sende eine Test E-Mail',
+ 'maint_send_test_email_success' => 'E-Mail wurde an :address gesendet',
+ 'maint_send_test_email_mail_subject' => 'Test E-Mail',
+ 'maint_send_test_email_mail_greeting' => 'E-Mail-Versand scheint zu funktionieren!',
+ 'maint_send_test_email_mail_text' => 'Glückwunsch! Da Sie diese E-Mail Benachrichtigung erhalten haben, scheinen Ihre E-Mail-Einstellungen korrekt konfiguriert zu sein.',
// Role Settings
'roles' => 'Rollen',
'role_manage_roles' => 'Rollen und Rollen-Berechtigungen verwalten',
'role_manage_entity_permissions' => 'Alle Buch-, Kapitel- und Seiten-Berechtigungen verwalten',
'role_manage_own_entity_permissions' => 'Nur Berechtigungen eigener Bücher, Kapitel und Seiten verwalten',
- 'role_manage_page_templates' => 'Manage page templates',
+ 'role_manage_page_templates' => 'Seitenvorlagen verwalten',
+ 'role_access_api' => 'Systemzugriffs-API',
'role_manage_settings' => 'Globaleinstellungen verwalten',
'role_asset' => 'Berechtigungen',
'role_asset_desc' => 'Diese Berechtigungen gelten für den Standard-Zugriff innerhalb des Systems. Berechtigungen für Bücher, Kapitel und Seiten überschreiben diese Berechtigungenen.',
'users_role_desc' => 'Wählen Sie aus, welchen Rollen dieser Benutzer zugeordnet werden soll. Wenn ein Benutzer mehreren Rollen zugeordnet ist, werden die Berechtigungen dieser Rollen gestapelt und er erhält alle Fähigkeiten der zugewiesenen Rollen.',
'users_password' => 'Benutzerpasswort',
'users_password_desc' => 'Legen Sie ein Passwort fest, mit dem Sie sich anmelden möchten. Diese muss mindestens 5 Zeichen lang sein.',
- 'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
- 'users_send_invite_option' => 'Send user invite email',
+ 'users_send_invite_text' => 'Sie können diesem Benutzer eine Einladungs-E-Mail senden, die es ihm erlaubt, sein eigenes Passwort zu setzen, andernfalls können Sie sein Passwort selbst setzen.',
+ 'users_send_invite_option' => 'Benutzer-Einladungs-E-Mail senden',
'users_external_auth_id' => 'Externe Authentifizierungs-ID',
- 'users_external_auth_id_desc' => 'Dies ist die ID, die verwendet wird, um diesen Benutzer bei der Kommunikation mit Ihrem LDAP-System abzugleichen.',
+ 'users_external_auth_id_desc' => 'Dies ist die ID, mit der dieser Benutzer bei der Kommunikation mit Ihrem externen Authentifizierungssystem übereinstimmt.',
'users_password_warning' => 'Füllen Sie die folgenden Felder nur aus, wenn Sie Ihr Passwort ändern möchten:',
'users_system_public' => 'Dieser Benutzer repräsentiert alle unangemeldeten Benutzer, die diese Seite betrachten. Er kann nicht zum Anmelden benutzt werden, sondern wird automatisch zugeordnet.',
'users_delete' => 'Benutzer löschen',
'users_social_disconnect' => 'Social-Media-Konto lösen',
'users_social_connected' => ':socialAccount-Konto wurde erfolgreich mit dem Profil verknüpft.',
'users_social_disconnected' => ':socialAccount-Konto wurde erfolgreich vom Profil gelöst.',
+ 'users_api_tokens' => 'API-Token',
+ 'users_api_tokens_none' => 'Für diesen Benutzer wurden keine API-Token erstellt',
+ 'users_api_tokens_create' => 'Token erstellen',
+ 'users_api_tokens_expires' => 'Endet',
+ 'users_api_tokens_docs' => 'API Dokumentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Neuen API-Token erstellen',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Geben Sie Ihrem Token einen aussagekräftigen Namen als spätere Erinnerung an seinen Verwendungszweck.',
+ '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.',
+ 'user_api_token_secret' => 'Token Kennwort',
+ 'user_api_token_secret_desc' => 'Dies ist ein systemgeneriertes Kennwort für diesen Token, das bei API-Anfragen zur Verfügung gestellt werden muss. Es wird nur dieses eine Mal angezeigt, deshalb kopieren Sie diesen Wert an einen sicheren und geschützten Ort.',
+ 'user_api_token_created' => 'Token erstellt :timeAgo',
+ 'user_api_token_updated' => 'Token aktualisiert :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dänisch',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
'digits' => ':attribute muss :digits Stellen haben.',
'digits_between' => ':attribute muss zwischen :min und :max Stellen haben.',
'email' => ':attribute muss eine valide E-Mail-Adresse sein.',
- 'ends_with' => 'The :attribute must end with one of the following: :values',
+ 'ends_with' => ':attribute muss mit einem der folgenden Werte: :values enden',
'filled' => ':attribute ist erforderlich.',
'gt' => [
- 'numeric' => 'The :attribute must be greater than :value.',
- 'file' => 'The :attribute must be greater than :value kilobytes.',
- 'string' => 'The :attribute must be greater than :value characters.',
- 'array' => 'The :attribute must have more than :value items.',
+ 'numeric' => ':attribute muss größer als :value sein.',
+ 'file' => ':attribute muss mindestens :value Kilobytes groß sein.',
+ 'string' => ':attribute muss mehr als :value Zeichen haben.',
+ 'array' => ':attribute muss mindestens :value Elemente haben.',
],
'gte' => [
- 'numeric' => 'The :attribute must be greater than or equal :value.',
- 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
- 'string' => 'The :attribute must be greater than or equal :value characters.',
- 'array' => 'The :attribute must have :value items or more.',
+ 'numeric' => ':attribute muss größer-gleich :value sein.',
+ 'file' => ':attribute muss mindestens :value Kilobytes groß sein.',
+ 'string' => ':attribute muss mindestens :value Zeichen enthalten.',
+ 'array' => ':attribute muss :value Elemente oder mehr haben.',
],
'exists' => ':attribute ist ungültig.',
'image' => ':attribute muss ein Bild sein.',
'in' => ':attribute ist ungültig.',
'integer' => ':attribute muss eine Zahl sein.',
'ip' => ':attribute muss eine valide IP-Adresse sein.',
- 'ipv4' => 'The :attribute must be a valid IPv4 address.',
- 'ipv6' => 'The :attribute must be a valid IPv6 address.',
- 'json' => 'The :attribute must be a valid JSON string.',
+ 'ipv4' => ':attribute muss eine gültige IPv4 Adresse sein.',
+ 'ipv6' => ':attribute muss eine gültige IPv6-Adresse sein.',
+ 'json' => 'Das Attribut muss eine gültige JSON-Zeichenfolge sein.',
'lt' => [
- 'numeric' => 'The :attribute must be less than :value.',
- 'file' => 'The :attribute must be less than :value kilobytes.',
- 'string' => 'The :attribute must be less than :value characters.',
- 'array' => 'The :attribute must have less than :value items.',
+ 'numeric' => ':attribute muss kleiner sein :value sein.',
+ 'file' => ':attribute muss kleiner als :value Kilobytes sein.',
+ 'string' => ':attribute muss weniger als :value Zeichen haben.',
+ 'array' => ':attribute muss weniger als :value Elemente haben.',
],
'lte' => [
- 'numeric' => 'The :attribute must be less than or equal :value.',
- 'file' => 'The :attribute must be less than or equal :value kilobytes.',
- 'string' => 'The :attribute must be less than or equal :value characters.',
- 'array' => 'The :attribute must not have more than :value items.',
+ 'numeric' => ':attribute muss kleiner oder gleich :value sein.',
+ 'file' => ':attribute muss kleiner oder gleich :value Kilobytes sein.',
+ 'string' => ':attribute darf höchstens :value Zeichen besitzen.',
+ 'array' => ':attribute darf höchstens :value Elemente haben.',
],
'max' => [
'numeric' => ':attribute darf nicht größer als :max sein.',
],
'no_double_extension' => ':attribute darf nur eine gültige Dateiendung',
'not_in' => ':attribute ist ungültig.',
- 'not_regex' => 'The :attribute format is invalid.',
+ 'not_regex' => ':attribute ist kein valides Format.',
'numeric' => ':attribute muss eine Zahl sein.',
'regex' => ':attribute ist in einem ungültigen Format.',
'required' => ':attribute ist erforderlich.',
'username' => 'Benutzername',
'email' => 'E-Mail',
'password' => 'Passwort',
- 'password_confirm' => 'Passwort bestätigen',
+ 'password_confirm' => 'Passwort bestätigen',
'password_hint' => 'Mindestlänge: 7 Zeichen',
'forgot_password' => 'Passwort vergessen?',
'remember_me' => 'Angemeldet bleiben',
'social_registration' => 'Mit Sozialem Netzwerk registrieren',
'social_registration_text' => 'Mit einer dieser Dienste registrieren oder anmelden',
- 'register_thanks' => 'Vielen Dank für Ihre Registrierung!',
+ 'register_thanks' => 'Vielen Dank für deine Registrierung!',
'register_confirm' => 'Bitte prüfe Deinen Posteingang und bestätig die Registrierung.',
'registrations_disabled' => 'Eine Registrierung ist momentan nicht möglich',
'registration_email_domain_invalid' => 'Du kannst dich mit dieser E-Mail nicht registrieren.',
- 'register_success' => 'Vielen Dank für Deine Registrierung! Die Daten sind gespeichert und Du bist angemeldet.',
+ 'register_success' => 'Vielen Dank für deine Registrierung! Du bist jetzt registriert und eingeloggt.',
// Password Reset
'reset_password_success' => 'Dein Passwort wurde erfolgreich zurückgesetzt.',
'email_reset_subject' => 'Passwort zurücksetzen für :appName',
'email_reset_text' => 'Du erhältsts diese E-Mail, weil jemand versucht hat, Dein Passwort zurückzusetzen.',
- 'email_reset_not_requested' => 'Wenn Du das nicht warst, brauchst Du nichts weiter zu tun.',
+ 'email_reset_not_requested' => 'Wenn du das zurücksetzen des Passworts nicht angefordert hast, ist keine weitere Aktion erforderlich.',
// Email Confirmation
'email_confirm_greeting' => 'Danke, dass Du dich für :appName registrierst hast!',
'email_confirm_text' => 'Bitte bestätige Deine E-Mail-Adresse, indem Du auf die Schaltfläche klickst:',
'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 Deine E-Mail-Adresse nicht versandt werden. Bitte kontaktiere den Systemadministrator!',
- 'email_confirm_success' => 'Deine E-Mail-Adresse wurde bestätigt!',
+ 'email_confirm_send_error' => 'Leider konnte die für die Registrierung notwendige E-Mail zur Bestätigung Deiner E-Mail-Adresse nicht versandt werden. Bitte kontaktiere den Systemadministrator!',
+ 'email_confirm_success' => 'Deine E-Mail-Adresse wurde bestätigt!',
'email_confirm_resent' => 'Bestätigungs-E-Mail wurde erneut versendet, bitte überprüfe Deinen Posteingang.',
'email_not_confirmed' => 'E-Mail-Adresse ist nicht bestätigt',
'email_not_confirmed_resend_button' => 'Bestätigungs-E-Mail erneut senden',
// User Invite
- 'user_invite_email_subject' => 'You have been invited to join :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_action' => 'Set Account Password',
- '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_success' => 'Password set, you now have access to :appName!'
+ 'user_invite_email_subject' => 'Du wurdest eingeladen :appName beizutreten!',
+ 'user_invite_email_greeting' => 'Ein Konto wurde für dich auf :appName erstellt.',
+ 'user_invite_email_text' => 'Klicke auf die Schaltfläche unten, um ein Passwort festzulegen und Zugriff zu erhalten:',
+ 'user_invite_email_action' => 'Konto-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 zum Einloggen benötigt.',
+ 'user_invite_page_confirm_button' => 'Passwort bestätigen',
+ 'user_invite_success' => 'Das Passwort wurde gesetzt, du hast nun Zugriff auf :appName!'
];
\ No newline at end of file
'reset' => 'Zurücksetzen',
'remove' => 'Entfernen',
'add' => 'Hinzufügen',
+ 'fullscreen' => 'Vollbild',
// Sort Options
- 'sort_options' => 'Sort Options',
- 'sort_direction_toggle' => 'Sort Direction Toggle',
- 'sort_ascending' => 'Sort Ascending',
- 'sort_descending' => 'Sort Descending',
+ 'sort_options' => 'Sortieroptionen',
+ 'sort_direction_toggle' => 'Sortierreihenfolge umkehren',
+ 'sort_ascending' => 'Aufsteigend sortieren',
+ 'sort_descending' => 'Absteigend sortieren',
'sort_name' => 'Name',
'sort_created_at' => 'Erstellungsdatum',
'sort_updated_at' => 'Aktualisierungsdatum',
'grid_view' => 'Gitteransicht',
'list_view' => 'Listenansicht',
'default' => 'Voreinstellung',
- 'breadcrumb' => 'Breadcrumb',
+ 'breadcrumb' => 'Brotkrumen',
// Header
- 'profile_menu' => 'Profile Menu',
+ 'profile_menu' => 'Profilmenü',
'view_profile' => 'Profil ansehen',
'edit_profile' => 'Profil bearbeiten',
'pages_delete_confirm' => 'Bist Du sicher, dass Du diese Seite löschen möchtest?',
'pages_delete_draft_confirm' => 'Bist Du sicher, dass Du diesen Seitenentwurf löschen möchtest?',
'pages_editing_named' => 'Seite ":pageName" bearbeiten',
- 'pages_edit_draft_options' => 'Draft Options',
+ 'pages_edit_draft_options' => 'Entwurfsoptionen',
'pages_edit_save_draft' => 'Entwurf speichern',
'pages_edit_draft' => 'Seitenentwurf bearbeiten',
'pages_editing_draft' => 'Seitenentwurf bearbeiten',
'pages_revisions_date' => 'Versionsdatum',
'pages_revisions_number' => '#',
'pages_revisions_numbered' => 'Revision #:id',
- 'pages_revisions_numbered_changes' => 'Revision #:id Changes',
+ 'pages_revisions_numbered_changes' => 'Revision #:id Änderungen',
'pages_revisions_changelog' => 'Änderungsprotokoll',
'pages_revisions_changes' => 'Änderungen',
'pages_revisions_current' => 'Aktuelle Version',
'message' => ':start :time. Achte darauf, keine Änderungen von anderen Benutzern zu überschreiben!',
],
'pages_draft_discarded' => 'Entwurf verworfen. Der aktuelle Seiteninhalt wurde geladen.',
- 'pages_specific' => 'Specific Page',
- 'pages_is_template' => 'Page Template',
+ 'pages_specific' => 'Spezifische Seite',
+ 'pages_is_template' => 'Seitenvorlage',
// Editor Sidebar
'page_tags' => 'Seiten-Schlagwörter',
'shelf_tags' => 'Regal-Schlagwörter',
'tag' => 'Schlagwort',
'tags' => 'Schlagwörter',
- 'tag_name' => 'Tag Name',
+ 'tag_name' => 'Schlagwort Name',
'tag_value' => 'Inhalt (Optional)',
'tags_explain' => "Füge Schlagwörter hinzu, um ihren Inhalt zu kategorisieren.\nDu kannst einen erklärenden Inhalt hinzufügen, um eine genauere Unterteilung vorzunehmen.",
'tags_add' => 'Weiteres Schlagwort hinzufügen',
- 'tags_remove' => 'Remove this tag',
+ 'tags_remove' => 'Diesen Tag entfernen',
'attachments' => 'Anhänge',
'attachments_explain' => 'Du kannst auf Deiner Seite Dateien hochladen oder Links hinzufügen. Diese werden in der Seitenleiste angezeigt.',
'attachments_explain_instant_save' => 'Änderungen werden direkt gespeichert.',
'attachments_file_uploaded' => 'Datei erfolgreich hochgeladen',
'attachments_file_updated' => 'Datei erfolgreich aktualisiert',
'attachments_link_attached' => 'Link erfolgreich der Seite hinzugefügt',
- 'templates' => 'Templates',
- 'templates_set_as_template' => 'Page is a template',
- 'templates_explain_set_as_template' => 'You can set this page as a template so its contents be utilized when creating other pages. Other users will be able to use this template if they have view permissions for this page.',
- 'templates_replace_content' => 'Replace page content',
- 'templates_append_content' => 'Append to page content',
- 'templates_prepend_content' => 'Prepend to page content',
+ 'templates' => 'Vorlagen',
+ 'templates_set_as_template' => 'Seite ist eine Vorlage',
+ 'templates_explain_set_as_template' => 'Du kannst diese Seite als Vorlage festlegen, damit deren Inhalt beim Erstellen anderer Seiten verwendet werden kann. Andere Benutzer können diese Vorlage verwenden, wenn diese die Zugriffsrechte für diese Seite haben.',
+ 'templates_replace_content' => 'Seiteninhalt ersetzen',
+ 'templates_append_content' => 'An Seiteninhalt anhängen',
+ 'templates_prepend_content' => 'Seiteninhalt voranstellen',
// Profile View
'profile_user_for_x' => 'Benutzer seit :time',
'permissionJson' => 'Du hast keine Berechtigung, die angeforderte Aktion auszuführen.',
// Auth
- 'saml_already_logged_in' => 'Du bist bereits angemeldet',
'error_user_exists_different_creds' => 'Ein Benutzer mit der E-Mail-Adresse :email ist bereits mit anderen Anmeldedaten registriert.',
'email_already_confirmed' => 'Die E-Mail-Adresse ist bereits bestätigt. Bitte melde dich an.',
'email_confirmation_invalid' => 'Der Bestätigungslink ist nicht gültig oder wurde bereits verwendet. Bitte registriere dich erneut.',
-
+ 'email_confirmation_expired' => 'Der Bestätigungslink ist abgelaufen. Es wurde eine neue Bestätigungs-E-Mail gesendet.',
+ 'email_confirmation_awaiting' => 'Die E-Mail-Adresse für das verwendete Konto muss bestätigt werden',
+ 'ldap_fail_anonymous' => 'Anonymer LDAP-Zugriff ist fehlgeschlafgen',
+ 'ldap_fail_authed' => 'LDAP-Zugriff mit DN und Passwort ist fehlgeschlagen',
+ 'ldap_extension_not_installed' => 'LDAP-PHP-Erweiterung ist nicht installiert',
+ 'ldap_cannot_connect' => 'Die Verbindung zum LDAP-Server ist fehlgeschlagen. Beim initialen Verbindungsaufbau trat ein Fehler auf',
+ 'saml_already_logged_in' => 'Du bist bereits angemeldet',
+ 'saml_user_not_registered' => 'Kein Benutzer mit ID :name registriert und die automatische Registrierung ist deaktiviert',
+ 'saml_no_email_address' => 'Es konnte keine E-Mail-Adresse für diesen Benutzer in den vom externen Authentifizierungssystem zur Verfügung gestellten Daten gefunden werden',
+ 'saml_invalid_response_id' => 'Die Anfrage vom externen Authentifizierungssystem wird von einem von dieser Anwendung gestarteten Prozess nicht erkannt. Das Zurückgehen nach einem Login könnte dieses Problem verursachen.',
+ 'saml_fail_authed' => 'Anmeldung mit :system fehlgeschlagen, System konnte keine erfolgreiche Autorisierung bereitstellen',
+ 'social_no_action_defined' => 'Es ist keine Aktion definiert',
+ 'social_login_bad_response' => "Fehler bei :socialAccount Login: \n:error",
'social_account_in_use' => 'Dieses :socialAccount-Konto wird bereits verwendet. Bitte melde dich mit dem :socialAccount-Konto an.',
'social_account_email_in_use' => 'Die E-Mail-Adresse ":email" ist bereits registriert. Wenn Du bereits registriert bist, kannst Du Dein :socialAccount-Konto in Deinen Profil-Einstellungen verknüpfen.',
'social_account_existing' => 'Dieses :socialAccount-Konto ist bereits mit Ihrem Profil verknüpft.',
'social_account_register_instructions' => 'Wenn Du bisher kein Social-Media Konto besitzt, kannst Du ein solches Konto mit der :socialAccount Option anlegen.',
'social_driver_not_found' => 'Treiber für Social-Media-Konten nicht gefunden',
'social_driver_not_configured' => 'Ihr :socialAccount-Konto ist nicht korrekt konfiguriert.',
- 'invite_token_expired' => 'This invitation link has expired. You can instead try to reset your account password.',
+ 'invite_token_expired' => 'Dieser Einladungslink ist abgelaufen. Sie können stattdessen versuchen, Ihr Passwort zurückzusetzen.',
// System
'path_not_writable' => 'Die Datei kann nicht in den angegebenen Pfad :filePath hochgeladen werden. Stelle sicher, dass dieser Ordner auf dem Server beschreibbar ist.',
'app_down' => ':appName befindet sich aktuell im Wartungsmodus.',
'back_soon' => 'Wir werden so schnell wie möglich wieder online sein.',
+ // API errors
+ 'api_no_authorization_found' => 'Kein Autorisierungs-Token für die Anfrage gefunden',
+ 'api_bad_authorization_format' => 'Ein Autorisierungs-Token wurde auf die Anfrage gefunden, aber das Format schien falsch zu sein',
+ 'api_user_token_not_found' => 'Es wurde kein passender API-Token für den angegebenen Autorisierungs-Token gefunden',
+ 'api_incorrect_token_secret' => 'Das für den API-Token angegebene geheimen Token ist falsch',
+ 'api_user_no_api_permission' => 'Der Besitzer des verwendeten API-Token hat keine Berechtigung für API-Aufrufe',
+ 'api_user_token_expired' => 'Das verwendete Autorisierungs-Token ist abgelaufen',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
'app_public_access_toggle' => 'Öffentlichen Zugriff erlauben',
'app_public_viewing' => 'Öffentliche Ansicht erlauben?',
'app_secure_images' => 'Erhöhte Sicherheit für hochgeladene Bilder aktivieren?',
- 'app_secure_images_toggle' => 'Enable higher security image uploads',
+ 'app_secure_images_toggle' => 'Aktiviere Bild-Upload mit höherer Sicherheit',
'app_secure_images_desc' => 'Aus Leistungsgründen sind alle Bilder öffentlich sichtbar. Diese Option fügt zufällige, schwer zu eratene, Zeichenketten zu Bild-URLs hinzu. Stellen sie sicher, dass Verzeichnisindizes deaktiviert sind, um einen einfachen Zugriff zu verhindern.',
'app_editor' => 'Seiteneditor',
'app_editor_desc' => 'Wähle den Editor aus, der von allen Benutzern genutzt werden soll, um Seiten zu editieren.',
'app_custom_html' => 'Benutzerdefinierter HTML <head> Inhalt',
'app_custom_html_desc' => 'Jeder Inhalt, der hier hinzugefügt wird, wird am Ende der <head> Sektion jeder Seite eingefügt. Diese kann praktisch sein, um CSS Styles anzupassen oder Analytics-Code hinzuzufügen.',
- 'app_custom_html_disabled_notice' => 'Custom HTML head content is disabled on this settings page to ensure any breaking changes can be reverted.',
+ 'app_custom_html_disabled_notice' => 'Benutzerdefinierte HTML-Kopfzeileninhalte sind auf dieser Einstellungsseite deaktiviert, um sicherzustellen, dass alle Änderungen rückgängig gemacht werden können.',
'app_logo' => 'Anwendungslogo',
'app_logo_desc' => 'Dieses Bild sollte 43px hoch sein.
Größere Bilder werden verkleinert.',
'app_disable_comments_toggle' => 'Kommentare deaktivieren',
'app_disable_comments_desc' => 'Deaktiviert Kommentare über alle Seiten in der Anwendung. Vorhandene Kommentare werden nicht angezeigt.',
+ // Color settings
+ 'content_colors' => 'Inhaltsfarben',
+ 'content_colors_desc' => 'Legt Farben für alle Elemente in der Seitenorganisationshierarchie fest. Die Auswahl von Farben mit einer ähnlichen Helligkeit wie die Standardfarben wird zur Lesbarkeit empfohlen.',
+ 'bookshelf_color' => 'Regalfarbe',
+ 'book_color' => 'Buchfarbe',
+ 'chapter_color' => 'Kapitelfarbe',
+ 'page_color' => 'Seitenfarbe',
+ 'page_draft_color' => 'Seitenentwurfsfarbe',
+
// Registration Settings
'reg_settings' => 'Registrierungseinstellungen',
'reg_enable' => 'Registrierung erlauben?',
'reg_enable_toggle' => 'Registrierung erlauben',
'reg_enable_desc' => 'Wenn die Registrierung erlaubt ist, kann sich der Benutzer als Anwendungsbenutzer anmelden. Bei der Registrierung erhält er eine einzige, voreingestellte Benutzerrolle.',
'reg_default_role' => 'Standard-Benutzerrolle nach Registrierung',
+ 'reg_enable_external_warning' => 'Die obige Option wird ignoriert, während eine externe LDAP oder SAML Authentifizierung aktiv ist. Benutzerkonten für nicht existierende Mitglieder werden automatisch erzeugt, wenn die Authentifizierung gegen das verwendete externe System erfolgreich ist.',
'reg_email_confirmation' => 'Bestätigung per E-Mail',
'reg_email_confirmation_toggle' => 'Bestätigung per E-Mail erforderlich',
'reg_confirm_email_desc' => 'Falls die Einschränkung für Domains genutzt wird, ist die Bestätigung per E-Mail zwingend erforderlich und der untenstehende Wert wird ignoriert.',
'maint_image_cleanup_warning' => ':count eventuell unbenutze Bilder wurden gefunden. Möchtest Du diese Bilder löschen?',
'maint_image_cleanup_success' => ':count eventuell unbenutze Bilder wurden gefunden und gelöscht.',
'maint_image_cleanup_nothing_found' => 'Keine unbenutzen Bilder gefunden. Nichts zu löschen!',
+ 'maint_send_test_email' => 'Test Email versenden',
+ 'maint_send_test_email_desc' => 'Dies sendet eine Test E-Mail an die in deinem Profil angegebene E-Mail-Adresse.',
+ 'maint_send_test_email_run' => 'Sende eine Test E-Mail',
+ 'maint_send_test_email_success' => 'E-Mail wurde an :address gesendet',
+ 'maint_send_test_email_mail_subject' => 'Test E-Mail',
+ 'maint_send_test_email_mail_greeting' => 'E-Mail-Versand scheint zu funktionieren!',
+ 'maint_send_test_email_mail_text' => 'Glückwunsch! Da du diese E-Mail Benachrichtigung erhalten hast, scheinen deine E-Mail-Einstellungen korrekt konfiguriert zu sein.',
// Role Settings
'roles' => 'Rollen',
'role_manage_roles' => 'Rollen und Rollen-Berechtigungen verwalten',
'role_manage_entity_permissions' => 'Alle Buch-, Kapitel- und Seiten-Berechtigungen verwalten',
'role_manage_own_entity_permissions' => 'Nur Berechtigungen eigener Bücher, Kapitel und Seiten verwalten',
- 'role_manage_page_templates' => 'Manage page templates',
+ 'role_manage_page_templates' => 'Seitenvorlagen verwalten',
+ 'role_access_api' => 'Systemzugriffs-API',
'role_manage_settings' => 'Globaleinstellungen verwalten',
'role_asset' => 'Berechtigungen',
'role_asset_desc' => 'Diese Berechtigungen gelten für den Standard-Zugriff innerhalb des Systems. Berechtigungen für Bücher, Kapitel und Seiten überschreiben diese Berechtigungenen.',
'users_role_desc' => 'Wählen Sie aus, welchen Rollen dieser Benutzer zugeordnet werden soll. Wenn ein Benutzer mehreren Rollen zugeordnet ist, werden die Berechtigungen dieser Rollen gestapelt und er erhält alle Fähigkeiten der zugewiesenen Rollen.',
'users_password' => 'Benutzerpasswort',
'users_password_desc' => 'Legen Sie ein Passwort fest, mit dem Sie sich anmelden möchten. Diese muss mindestens 5 Zeichen lang sein.',
- 'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
- 'users_send_invite_option' => 'Send user invite email',
+ 'users_send_invite_text' => 'Du kannst diesem Benutzer eine Einladungs-E-Mail senden, die es ihm erlaubt, sein eigenes Passwort zu setzen, andernfalls kannst du sein Passwort selbst setzen.',
+ 'users_send_invite_option' => 'Benutzer-Einladungs-E-Mail senden',
'users_external_auth_id' => 'Externe Authentifizierungs-ID',
- 'users_external_auth_id_desc' => 'Dies ist die ID, die verwendet wird, um diesen Benutzer bei der Kommunikation mit Ihrem LDAP-System abzugleichen.',
+ 'users_external_auth_id_desc' => 'Dies ist die ID, die verwendet wird, um diesen Benutzer bei der Kommunikation mit deinem externen Authentifizierungssystem abzugleichen.',
'users_password_warning' => 'Fülle die folgenden Felder nur aus, wenn Du Dein Passwort ändern möchtest:',
'users_system_public' => 'Dieser Benutzer repräsentiert alle unangemeldeten Benutzer, die diese Seite betrachten. Er kann nicht zum Anmelden benutzt werden, sondern wird automatisch zugeordnet.',
'users_delete' => 'Benutzer löschen',
'users_social_disconnect' => 'Social-Media-Konto lösen',
'users_social_connected' => ':socialAccount-Konto wurde erfolgreich mit dem Profil verknüpft.',
'users_social_disconnected' => ':socialAccount-Konto wurde erfolgreich vom Profil gelöst.',
+ 'users_api_tokens' => 'API-Token',
+ 'users_api_tokens_none' => 'Für diesen Benutzer wurden keine API-Token erstellt',
+ 'users_api_tokens_create' => 'Token erstellen',
+ 'users_api_tokens_expires' => 'Endet',
+ 'users_api_tokens_docs' => 'API Dokumentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Neuen API-Token erstellen',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Gebe deinem Token einen aussagekräftigen Namen als spätere Erinnerung an seinen Verwendungszweck.',
+ 'user_api_token_expiry' => 'Ablaufdatum',
+ 'user_api_token_expiry_desc' => 'Lege ein Datum fest, an 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.',
+ 'user_api_token_secret' => 'Token Kennwort',
+ 'user_api_token_secret_desc' => 'Dies ist ein systemgeneriertes Kennwort für diesen Token, das bei API-Anfragen zur Verfügung gestellt werden muss. Es wird nur dieses eine Mal angezeigt, deshalb kopiere diesen an einen sicheren und geschützten Ort.',
+ 'user_api_token_created' => 'Token erstellt :timeAgo',
+ 'user_api_token_updated' => 'Token aktualisiert :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dänisch',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
'digits' => ':attribute muss :digits Stellen haben.',
'digits_between' => ':attribute muss zwischen :min und :max Stellen haben.',
'email' => ':attribute muss eine valide E-Mail-Adresse sein.',
- 'ends_with' => 'The :attribute must end with one of the following: :values',
+ 'ends_with' => ':attribute muss mit einem der folgenden Werte: :values enden',
'filled' => ':attribute ist erforderlich.',
'gt' => [
- 'numeric' => 'The :attribute must be greater than :value.',
- 'file' => 'The :attribute must be greater than :value kilobytes.',
- 'string' => 'The :attribute must be greater than :value characters.',
- 'array' => 'The :attribute must have more than :value items.',
+ 'numeric' => ':attribute muss größer als :value sein.',
+ 'file' => ':attribute muss mindestens größer als :value Kilobytes sein.',
+ 'string' => ':attribute muss mehr als :value Zeichen haben.',
+ 'array' => ':attribute muss mehr als :value Elemente haben.',
],
'gte' => [
- 'numeric' => 'The :attribute must be greater than or equal :value.',
- 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
- 'string' => 'The :attribute must be greater than or equal :value characters.',
- 'array' => 'The :attribute must have :value items or more.',
+ 'numeric' => ':attribute muss größer-gleich :value sein.',
+ 'file' => ':attribute muss größer-gleich :value Kilobytes sein.',
+ 'string' => ':attribute muss mindestens :value Zeichen haben.',
+ 'array' => ':attribute muss :value Elemente oder mehr haben.',
],
'exists' => ':attribute ist ungültig.',
'image' => ':attribute muss ein Bild sein.',
'in' => ':attribute ist ungültig.',
'integer' => ':attribute muss eine Zahl sein.',
'ip' => ':attribute muss eine valide IP-Adresse sein.',
- 'ipv4' => 'The :attribute must be a valid IPv4 address.',
- 'ipv6' => 'The :attribute must be a valid IPv6 address.',
- 'json' => 'The :attribute must be a valid JSON string.',
+ 'ipv4' => ':attribute muss eine gültige IPv4 Adresse sein.',
+ 'ipv6' => ':attribute muss eine gültige IPv6-Adresse sein.',
+ 'json' => ':attribute muss ein gültiger JSON-String sein.',
'lt' => [
- 'numeric' => 'The :attribute must be less than :value.',
- 'file' => 'The :attribute must be less than :value kilobytes.',
- 'string' => 'The :attribute must be less than :value characters.',
- 'array' => 'The :attribute must have less than :value items.',
+ 'numeric' => ':attribute muss kleiner als :value sein.',
+ 'file' => ':attribute muss kleiner als :value Kilobytes sein.',
+ 'string' => ':attribute muss weniger als :value Zeichen haben.',
+ 'array' => ':attribute muss weniger als :value Elemente haben.',
],
'lte' => [
- 'numeric' => 'The :attribute must be less than or equal :value.',
- 'file' => 'The :attribute must be less than or equal :value kilobytes.',
- 'string' => 'The :attribute must be less than or equal :value characters.',
- 'array' => 'The :attribute must not have more than :value items.',
+ 'numeric' => ':attribute muss kleiner oder gleich :value sein.',
+ 'file' => ':attribute muss kleiner oder gleich :value Kilobytes sein.',
+ 'string' => ':attribute muss :value oder weniger Zeichen haben.',
+ 'array' => ':attribute darf höchstens :value Elemente haben.',
],
'max' => [
'numeric' => ':attribute darf nicht größer als :max sein.',
],
'no_double_extension' => ':attribute darf nur eine gültige Dateiendung',
'not_in' => ':attribute ist ungültig.',
- 'not_regex' => 'The :attribute format is invalid.',
+ 'not_regex' => ':attribute ist kein gültiges Format.',
'numeric' => ':attribute muss eine Zahl sein.',
'regex' => ':attribute ist in einem ungültigen Format.',
'required' => ':attribute ist erforderlich.',
'reset' => 'Reset',
'remove' => 'Remove',
'add' => 'Add',
+ 'fullscreen' => 'Fullscreen',
// Sort Options
'sort_options' => 'Sort Options',
'email_already_confirmed' => 'Email has already been confirmed, Try logging in.',
'email_confirmation_invalid' => 'This confirmation token is not valid or has already been used, Please try registering again.',
'email_confirmation_expired' => 'The confirmation token has expired, A new confirmation email has been sent.',
+ '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_authed' => 'LDAP access failed using given dn & password details',
'ldap_extension_not_installed' => 'LDAP PHP extension not installed',
'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',
- 'saml_email_exists' => 'Registration unsuccessful since a user already exists with email address ":email"',
'social_no_action_defined' => 'No action defined',
'social_login_bad_response' => "Error received during :socialAccount login: \n:error",
'social_account_in_use' => 'This :socialAccount account is already in use, Try logging in via the :socialAccount option.',
'app_down' => ':appName is down right now',
'back_soon' => 'It will be back up soon.',
+ // API errors
+ 'api_no_authorization_found' => 'No authorization token found on the request',
+ 'api_bad_authorization_format' => 'An authorization token was found on the request but the format appeared incorrect',
+ 'api_user_token_not_found' => 'No matching API token was found for the provided authorization token',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => 'The authorization token used has expired',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
'reg_enable_toggle' => 'Enable registration',
'reg_enable_desc' => 'When registration is enabled user will be able to sign themselves up as an application user. Upon registration they are given a single, default user role.',
'reg_default_role' => 'Default user role after registration',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
'reg_email_confirmation' => 'Email Confirmation',
'reg_email_confirmation_toggle' => 'Require email confirmation',
'reg_confirm_email_desc' => 'If domain restriction is used then email confirmation will be required and this option will be ignored.',
'role_manage_entity_permissions' => 'Manage all book, chapter & page permissions',
'role_manage_own_entity_permissions' => 'Manage permissions on own book, chapter & pages',
'role_manage_page_templates' => 'Manage page templates',
+ 'role_access_api' => 'Access system API',
'role_manage_settings' => 'Manage app settings',
'role_asset' => 'Asset Permissions',
'role_asset_desc' => 'These permissions control default access to the assets within the system. Permissions on Books, Chapters and Pages will override these permissions.',
'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
'users_send_invite_option' => 'Send user invite email',
'users_external_auth_id' => 'External Authentication ID',
- 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your LDAP system.',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
'users_password_warning' => 'Only fill the below if you would like to change your password.',
'users_system_public' => 'This user represents any guest users that visit your instance. It cannot be used to log in but is assigned automatically.',
'users_delete' => 'Delete User',
'users_social_disconnect' => 'Disconnect Account',
'users_social_connected' => ':socialAccount account was successfully attached to your profile.',
'users_social_disconnected' => ':socialAccount account was successfully disconnected from your profile.',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'No API tokens have been created for this user',
+ 'users_api_tokens_create' => 'Create Token',
+ 'users_api_tokens_expires' => 'Expires',
+ 'users_api_tokens_docs' => 'API Documentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Create API Token',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Token Created :timeAgo',
+ 'user_api_token_updated' => 'Token Updated :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
'reset' => 'Resetear',
'remove' => 'Remover',
'add' => 'Añadir',
+ 'fullscreen' => 'Pantalla completa',
// Sort Options
'sort_options' => 'Opciones de ordenación',
'create_now' => 'Crear uno ahora',
'revisions' => 'Revisiones',
'meta_revision' => 'Revisión #:revisionCount',
- 'meta_created' => 'Creado el :timeLength',
- 'meta_created_name' => 'Creado el :timeLength por :user',
- 'meta_updated' => 'Actualizado el :timeLength',
- 'meta_updated_name' => 'Actualizado el :timeLength por :user',
+ 'meta_created' => 'Creado :timeLength',
+ 'meta_created_name' => 'Creado :timeLength por :user',
+ 'meta_updated' => 'Actualizado :timeLength',
+ 'meta_updated_name' => 'Actualizado :timeLength por :user',
'entity_select' => 'Seleccione entidad',
'images' => 'Imágenes',
'my_recent_drafts' => 'Mis borradores recientes',
'pages_edit_draft' => 'Editar borrador de página',
'pages_editing_draft' => 'Editando borrador',
'pages_editing_page' => 'Editando página',
- 'pages_edit_draft_save_at' => 'Borrador guardado el ',
+ 'pages_edit_draft_save_at' => 'Borrador guardado ',
'pages_edit_delete_draft' => 'Borrar borrador',
'pages_edit_discard_draft' => 'Descartar borrador',
'pages_edit_set_changelog' => 'Ajustar Log de cambios',
return [
// Permissions
- 'permission' => 'No tiene permisos para visualizar la página solicitada.',
- 'permissionJson' => 'No tiene permisos para ejecutar la acción solicitada.',
+ 'permission' => 'No tienes permisos para visualizar la página solicitada.',
+ 'permissionJson' => 'No tienes permisos para ejecutar la acción solicitada.',
// Auth
'error_user_exists_different_creds' => 'Un usuario con el correo electrónico :email ya existe pero con credenciales diferentes.',
'email_already_confirmed' => 'El correo electrónico ya ha sido confirmado, intente acceder a la aplicación.',
'email_confirmation_invalid' => 'Este token de confirmación no es válido o ya ha sido usado, intente registrar uno nuevamente.',
'email_confirmation_expired' => 'El token de confirmación ha expirado, un nuevo email de confirmacón ha sido enviado.',
+ 'email_confirmation_awaiting' => 'La dirección de correo electrónico de la cuenta en uso debe ser confirmada',
'ldap_fail_anonymous' => 'El acceso con LDAP ha fallado usando binding anónimo',
'ldap_fail_authed' => 'El acceso LDAP ha fallado usando el dn & contraseña enviados',
'ldap_extension_not_installed' => 'La extensión LDAP PHP no se encuentra instalada',
'ldap_cannot_connect' => 'No se puede conectar con el servidor ldap, la conexión inicial ha fallado',
+ 'saml_already_logged_in' => 'Ya estás conectado',
+ 'saml_user_not_registered' => 'El usuario :name no está registrado y el registro automático está deshabilitado',
+ 'saml_no_email_address' => 'No se pudo encontrar una dirección de correo electrónico, para este usuario, en los datos proporcionados por el sistema de autenticación externo',
+ 'saml_invalid_response_id' => 'La solicitud del sistema de autenticación externo no está reconocida por un proceso iniciado por esta aplicación. Navegar hacia atrás después de un inicio de sesión podría causar este problema.',
+ 'saml_fail_authed' => 'El inicio de sesión con :system falló, el sistema no proporcionó una autorización correcta',
'social_no_action_defined' => 'Acción no definida',
'social_login_bad_response' => "Se ha recibido un error durante el acceso con :socialAccount error: \n:error",
'social_account_in_use' => 'la cuenta :socialAccount ya se encuentra en uso, intente acceder a través de la opción :socialAccount .',
'app_down' => 'La aplicación :appName se encuentra caída en este momento',
'back_soon' => 'Volverá a estar operativa pronto.',
+ // API errors
+ 'api_no_authorization_found' => 'No se encontró ningún token de autorización en la solicitud',
+ 'api_bad_authorization_format' => 'Se ha encontrado un token de autorización en la solicitud pero el formato era incorrecto',
+ 'api_user_token_not_found' => 'No se ha encontrado un token API que corresponda con el token de autorización proporcionado',
+ 'api_incorrect_token_secret' => 'El secreto proporcionado para el token API usado es incorrecto',
+ 'api_user_no_api_permission' => 'El propietario del token API usado no tiene permiso para hacer llamadas API',
+ 'api_user_token_expired' => 'El token de autorización usado ha caducado',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error al enviar un email de prueba:',
+
];
'app_disable_comments_toggle' => 'Deshabilitar comentarios',
'app_disable_comments_desc' => 'Deshabilita los comentarios en todas las páginas de la aplicación. <br> Los comentarios existentes no se muestran.',
+ // Color settings
+ 'content_colors' => 'Colores del contenido',
+ '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.',
+ 'bookshelf_color' => 'Color del estante',
+ 'book_color' => 'Color del libro',
+ 'chapter_color' => 'Color del capítulo',
+ 'page_color' => 'Color de la página',
+ 'page_draft_color' => 'Color del borrador de página',
+
// Registration Settings
'reg_settings' => 'Registro',
'reg_enable' => 'Habilitar Registro',
'reg_enable_toggle' => 'Habilitar registro',
'reg_enable_desc' => 'Cuando se habilita el registro los usuarios podrán registrarse como usuarios de la aplicación. Al registrarse se les asigna un rol único por defecto.',
'reg_default_role' => 'Rol de usuario por defecto después del registro',
+ 'reg_enable_external_warning' => 'La opción anterior no se utiliza mientras la autenticación LDAP o SAML externa esté activa. Las cuentas de usuario para los miembros no existentes se crearán automáticamente si la autenticación en el sistema externo en uso es exitosa.',
'reg_email_confirmation' => 'Confirmación por Email',
'reg_email_confirmation_toggle' => 'Requerir confirmación por Email',
'reg_confirm_email_desc' => 'Si se emplea la restricción por dominio, entonces se requerirá la confirmación por correo electrónico y esta opción será ignorada.',
'maint_image_cleanup_warning' => 'Se han encontrado :count imágenes posiblemente no utilizadas . ¿Estás seguro de querer borrar estas imágenes?',
'maint_image_cleanup_success' => '¡Se han encontrado y borrado :count imágenes posiblemente no utilizadas!',
'maint_image_cleanup_nothing_found' => '¡No se han encontrado imágenes sin utilizar, no se han borrado imágenes!',
+ 'maint_send_test_email' => 'Enviar un correo electrónico de prueba',
+ 'maint_send_test_email_desc' => 'Esto envía un correo electrónico de prueba a la dirección de correo electrónico especificada en tu perfil.',
+ 'maint_send_test_email_run' => 'Enviar correo electrónico de prueba',
+ 'maint_send_test_email_success' => 'Correo electrónico enviado a :address',
+ 'maint_send_test_email_mail_subject' => 'Probar correo electrónico',
+ 'maint_send_test_email_mail_greeting' => '¡El envío de correos electrónicos parece funcionar!',
+ 'maint_send_test_email_mail_text' => '¡Enhorabuena! Al recibir esta notificación de correo electrónico, tu configuración de correo electrónico parece estar ajustada correctamente.',
// Role Settings
'roles' => 'Roles',
'role_manage_entity_permissions' => 'Gestionar todos los permisos de libros, capítulos y páginas',
'role_manage_own_entity_permissions' => 'Gestionar permisos en libros, capítulos y páginas propias',
'role_manage_page_templates' => 'Administrar plantillas',
+ 'role_access_api' => 'API de sistema de acceso',
'role_manage_settings' => 'Gestionar ajustes de la aplicación',
'role_asset' => 'Permisos de contenido',
'role_asset_desc' => 'Estos permisos controlan el acceso por defecto a los contenidos del sistema. Los permisos de Libros, Capítulos y Páginas sobreescribiran estos permisos.',
'users_send_invite_text' => 'Puede enviar una invitación a este usuario por correo electrónico que le permitirá ajustar su propia contraseña, o puede usted ajustar su contraseña.',
'users_send_invite_option' => 'Enviar un correo electrónico de invitación',
'users_external_auth_id' => 'ID externo de autenticación',
- 'users_external_auth_id_desc' => 'Esta es la ID usada para asociar este usuario con LDAP.',
+ 'users_external_auth_id_desc' => 'Esta es la ID usada para asociar este usuario con el sistema de autenticación externo.',
'users_password_warning' => 'Solo debe rellenar este campo si desea cambiar su contraseña.',
'users_system_public' => 'Este usuario representa cualquier usuario invitado que visita la aplicación. No puede utilizarse para acceder pero es asignado automáticamente.',
'users_delete' => 'Borrar usuario',
'users_social_disconnect' => 'Desconectar cuenta',
'users_social_connected' => 'La cuenta :socialAccount ha sido añadida éxitosamente a su perfil.',
'users_social_disconnected' => 'La cuenta :socialAccount ha sido desconectada éxitosamente de su perfil.',
+ 'users_api_tokens' => 'Tokens API',
+ 'users_api_tokens_none' => 'No se han creado tokens API para este usuario',
+ 'users_api_tokens_create' => 'Crear token',
+ 'users_api_tokens_expires' => 'Expira',
+ 'users_api_tokens_docs' => 'Documentación API',
+
+ // API Tokens
+ 'user_api_token_create' => 'Crear token API',
+ 'user_api_token_name' => 'Nombre',
+ 'user_api_token_name_desc' => 'Dale a tu token un nombre legible como un recordatorio futuro de su propósito.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'Esta es una clave no editable generada por el sistema que necesitará ser proporcionada en solicitudes de API. Solo se monstraré esta vez así que guarde su valor en un lugar seguro.',
+ 'user_api_token_created' => 'Token creado :timeAgo',
+ 'user_api_token_updated' => 'Token actualizado :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Danés',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
'digits' => ':attribute debe ser de :digits dígitos.',
'digits_between' => ':attribute debe ser un valor entre :min y :max dígios.',
'email' => ':attribute debe ser un correo electrónico válido.',
- 'ends_with' => 'The :attribute must end with one of the following: :values',
+ 'ends_with' => 'El :attribute debe terminar con uno de los siguientes: :values',
'filled' => 'El campo :attribute es requerido.',
'gt' => [
- 'numeric' => 'The :attribute must be greater than :value.',
- 'file' => 'The :attribute must be greater than :value kilobytes.',
- 'string' => 'The :attribute must be greater than :value characters.',
- 'array' => 'The :attribute must have more than :value items.',
+ 'numeric' => 'El :attribute debe ser mayor que :value.',
+ 'file' => 'El :attribute debe ser mayor que :value kilobytes.',
+ 'string' => 'El :attribute debe ser mayor que :value caracteres.',
+ 'array' => 'El :attribute debe tener más de :value elementos.',
],
'gte' => [
- 'numeric' => 'The :attribute must be greater than or equal :value.',
- 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
- 'string' => 'The :attribute must be greater than or equal :value characters.',
- 'array' => 'The :attribute must have :value items or more.',
+ 'numeric' => 'El :attribute debe ser mayor o igual que :value.',
+ 'file' => 'El :attribute debe ser mayor o igual que :value kilobytes.',
+ 'string' => 'El :attribute debe ser mayor o igual que :value caracteres.',
+ 'array' => 'El :attribute debe tener :value o más elementos.',
],
'exists' => 'El :attribute seleccionado es inválido.',
'image' => 'El :attribute debe ser una imagen.',
'in' => 'El selected :attribute es inválio.',
'integer' => 'El :attribute debe ser un entero.',
'ip' => 'El :attribute debe ser una dirección IP válida.',
- 'ipv4' => 'The :attribute must be a valid IPv4 address.',
- 'ipv6' => 'The :attribute must be a valid IPv6 address.',
- 'json' => 'The :attribute must be a valid JSON string.',
+ 'ipv4' => 'El :attribute debe ser una dirección IPv4 válida.',
+ 'ipv6' => 'El :attribute debe ser una dirección IPv6 válida.',
+ 'json' => 'El :attribute debe ser una cadena JSON válida.',
'lt' => [
- 'numeric' => 'The :attribute must be less than :value.',
- 'file' => 'The :attribute must be less than :value kilobytes.',
- 'string' => 'The :attribute must be less than :value characters.',
- 'array' => 'The :attribute must have less than :value items.',
+ 'numeric' => 'El :attribute debe ser menor que :value.',
+ 'file' => 'El :attribute debe ser menor que :value kilobytes.',
+ 'string' => 'El :attribute debe ser menor que :value caracteres.',
+ 'array' => 'El :attribute debe tener menos de :value elementos.',
],
'lte' => [
- 'numeric' => 'The :attribute must be less than or equal :value.',
- 'file' => 'The :attribute must be less than or equal :value kilobytes.',
- 'string' => 'The :attribute must be less than or equal :value characters.',
- 'array' => 'The :attribute must not have more than :value items.',
+ 'numeric' => 'El :attribute debe ser menor o igual que :value.',
+ 'file' => 'El :attribute debe ser menor o igual que :value kilobytes.',
+ 'string' => 'El :attribute debe ser menor o igual que :value caracteres.',
+ 'array' => 'El :attribute no debe tener más de :value elementos.',
],
'max' => [
'numeric' => 'El :attribute no puede ser mayor que :max.',
],
'no_double_extension' => 'El :attribute solo debe tener una extensión de archivo.',
'not_in' => 'El :attribute seleccionado es inválio.',
- 'not_regex' => 'The :attribute format is invalid.',
+ 'not_regex' => 'El formato de :attribute es inválido.',
'numeric' => 'El :attribute debe ser numérico.',
'regex' => 'El formato de :attribute es inválido',
'required' => 'El :attribute es requerido.',
'reset' => 'Restablecer',
'remove' => 'Remover',
'add' => 'Agregar',
+ 'fullscreen' => 'Pantalla completa',
// Sort Options
'sort_options' => 'Opciones de Orden',
'email_already_confirmed' => 'El email ya ha sido confirmado, Intente loguearse en la aplicación.',
'email_confirmation_invalid' => 'Este token de confirmación no e válido o ya ha sido usado,Intente registrar uno nuevamente.',
'email_confirmation_expired' => 'El token de confirmación ha expirado, Un nuevo email de confirmacón ha sido enviado.',
+ 'email_confirmation_awaiting' => 'La dirección de correo electrónico de la cuenta en uso debe ser confirmada',
'ldap_fail_anonymous' => 'El acceso con LDAP ha fallado usando binding anónimo',
'ldap_fail_authed' => 'El acceso LDAP usando el dn & password detallados',
'ldap_extension_not_installed' => 'La extensión LDAP PHP no se encuentra instalada',
'ldap_cannot_connect' => 'No se puede conectar con el servidor ldap, la conexión inicial ha fallado',
+ 'saml_already_logged_in' => 'Ya estás conectado',
+ 'saml_user_not_registered' => 'El usuario :name no está registrado y el registro automático está deshabilitado',
+ 'saml_no_email_address' => 'No se pudo encontrar una dirección de correo electrónico, para este usuario, en los datos proporcionados por el sistema de autenticación externo',
+ 'saml_invalid_response_id' => 'La solicitud del sistema de autenticación externo no está reconocida por un proceso iniciado por esta aplicación. Navegar hacia atrás después de un inicio de sesión podría causar este problema.',
+ 'saml_fail_authed' => 'El inicio de sesión con :system falló, el sistema no proporcionó una autorización correcta',
'social_no_action_defined' => 'Acción no definida',
'social_login_bad_response' => "SE recibió un Error durante el acceso con :socialAccount : \n:error",
'social_account_in_use' => 'la cuenta :socialAccount ya se encuentra en uso, intente loguearse a través de la opcón :socialAccount .',
'app_down' => 'La aplicación :appName se encuentra caída en este momento',
'back_soon' => 'Volverá a estar operativa en corto tiempo.',
+ // API errors
+ 'api_no_authorization_found' => 'No se encontró ningún token de autorización en la solicitud',
+ 'api_bad_authorization_format' => 'Se ha encontrado un token de autorización en la solicitud pero el formato era incorrecto',
+ 'api_user_token_not_found' => 'No se ha encontrado un token API que corresponda con el token de autorización proporcionado',
+ 'api_incorrect_token_secret' => 'El secreto proporcionado para el token API usado es incorrecto',
+ 'api_user_no_api_permission' => 'El propietario del token API usado no tiene permiso para hacer llamadas API',
+ 'api_user_token_expired' => 'El token de autorización usado ha caducado',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
'app_disable_comments_toggle' => 'Deshabilitar comentarios',
'app_disable_comments_desc' => 'Deshabilitar comentarios en todas las páginas de la aplicación. Los comentarios existentes no se muestran.',
+ // Color settings
+ 'content_colors' => 'Colores del contenido',
+ '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.',
+ 'bookshelf_color' => 'Color del estante',
+ 'book_color' => 'Color del libro',
+ 'chapter_color' => 'Color del capítulo',
+ 'page_color' => 'Color de la página',
+ 'page_draft_color' => 'Color del borrador de página',
+
// Registration Settings
'reg_settings' => 'Ajustes de registro',
'reg_enable' => 'Habilitar Registro',
'reg_enable_toggle' => 'Habilitar registro',
'reg_enable_desc' => 'Cuando se habilita el registro, el usuario podrá crear su usuario en la aplicación. Con el regsitro, se le otorga un rol de usuario único y por defecto.',
'reg_default_role' => 'Rol de usuario por defecto despúes del registro',
+ 'reg_enable_external_warning' => 'La opción anterior no se utiliza mientras la autenticación LDAP o SAML externa esté activa. Las cuentas de usuario para los miembros no existentes se crearán automáticamente si la autenticación en el sistema externo en uso es exitosa.',
'reg_email_confirmation' => 'Confirmación de correo electrónico',
'reg_email_confirmation_toggle' => 'Requerir confirmación de correo electrónico',
'reg_confirm_email_desc' => 'Si se utiliza la restricción por dominio, entonces se requerirá la confirmación por correo electrónico y se ignorará el valor a continuación.',
'maint_image_cleanup_warning' => 'Se encontraron :count imágenes pontencialmente sin uso. Está seguro de que quiere eliminarlas?',
'maint_image_cleanup_success' => 'Se encontraron y se eliminaron :count imágenes pontencialmente sin uso!',
'maint_image_cleanup_nothing_found' => 'No se encotraron imágenes sin usar, Nada eliminado!',
+ 'maint_send_test_email' => 'Enviar un correo electrónico de prueba',
+ 'maint_send_test_email_desc' => 'Esto envía un correo electrónico de prueba a la dirección de correo electrónico especificada en tu perfil.',
+ 'maint_send_test_email_run' => 'Enviar correo electrónico de prueba',
+ 'maint_send_test_email_success' => 'Correo electrónico enviado a :address',
+ 'maint_send_test_email_mail_subject' => 'Probar correo electrónico',
+ 'maint_send_test_email_mail_greeting' => '¡El envío de correos electrónicos parece funcionar!',
+ 'maint_send_test_email_mail_text' => '¡Enhorabuena! Al recibir esta notificación de correo electrónico, tu configuración de correo electrónico parece estar ajustada correctamente.',
// Role Settings
'roles' => 'Roles',
'role_manage_own_entity_permissions' => 'Gestionar permisos en libro
s propios, capítulos y páginas',
'role_manage_page_templates' => 'Gestionar las plantillas de páginas',
+ 'role_access_api' => 'API de sistema de acceso',
'role_manage_settings' => 'Gestionar ajustes de activos',
'role_asset' => 'Permisos de activos',
'role_asset_desc' => 'Estos permisos controlan el acceso por defecto a los activos del sistema. Permisos a Libros, Capítulos y Páginas sobreescribiran estos permisos.',
'users_send_invite_text' => 'Puede optar por enviar a este usuario un correo electrónico de invitación que les permita establecer su propia contraseña; de lo contrario, puede establecerla contraseña usted mismo.',
'users_send_invite_option' => 'Enviar correo electrónico de invitación al usuario.',
'users_external_auth_id' => 'ID externo de autenticación',
- 'users_external_auth_id_desc' => 'Esta es la ID usada para asociar este usuario con LDAP.',
+ 'users_external_auth_id_desc' => 'Esta es la ID usada para asociar este usuario con el sistema de autenticación externo.',
'users_password_warning' => 'Solo rellene a continuación si desea cambiar su password:',
'users_system_public' => 'Este usuario representa cualquier usuario invitado que visita la aplicación. No puede utilizarse para hacer login sino que es asignado automáticamente.',
'users_delete' => 'Borrar usuario',
'users_social_disconnect' => 'Desconectar cuenta',
'users_social_connected' => 'La cuenta :socialAccount ha sido exitosamente añadida a su perfil.',
'users_social_disconnected' => 'La cuenta :socialAccount ha sido desconectada exitosamente de su perfil.',
+ 'users_api_tokens' => 'Tokens API',
+ 'users_api_tokens_none' => 'No se han creado tokens API para este usuario',
+ 'users_api_tokens_create' => 'Crear token',
+ 'users_api_tokens_expires' => 'Expira',
+ 'users_api_tokens_docs' => 'Documentación API',
+
+ // API Tokens
+ 'user_api_token_create' => 'Crear token API',
+ 'user_api_token_name' => 'Nombre',
+ 'user_api_token_name_desc' => 'Dale a tu token un nombre legible como un recordatorio futuro de su propósito.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'Esta es una clave no editable generada por el sistema que necesitará ser proporcionada en solicitudes de API. Solo se monstraré esta vez así que guarde su valor en un lugar seguro.',
+ 'user_api_token_created' => 'Token creado :timeAgo',
+ 'user_api_token_updated' => 'Token actualizado :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Danés',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
--- /dev/null
+<?php
+/**
+ * Activity text strings.
+ * Is used for all the text within activity logs & notifications.
+ */
+return [
+
+ // Pages
+ 'page_create' => 'created page',
+ 'page_create_notification' => 'Page Successfully Created',
+ 'page_update' => 'updated page',
+ 'page_update_notification' => 'Page Successfully Updated',
+ 'page_delete' => 'deleted page',
+ 'page_delete_notification' => 'Page Successfully Deleted',
+ 'page_restore' => 'restored page',
+ 'page_restore_notification' => 'Page Successfully Restored',
+ 'page_move' => 'moved page',
+
+ // Chapters
+ 'chapter_create' => 'created chapter',
+ 'chapter_create_notification' => 'Chapter Successfully Created',
+ 'chapter_update' => 'updated chapter',
+ 'chapter_update_notification' => 'Chapter Successfully Updated',
+ 'chapter_delete' => 'deleted chapter',
+ 'chapter_delete_notification' => 'Chapter Successfully Deleted',
+ 'chapter_move' => 'moved chapter',
+
+ // Books
+ 'book_create' => 'created book',
+ 'book_create_notification' => 'Book Successfully Created',
+ 'book_update' => 'updated book',
+ 'book_update_notification' => 'Book Successfully Updated',
+ 'book_delete' => 'deleted book',
+ 'book_delete_notification' => 'Book Successfully Deleted',
+ 'book_sort' => 'sorted book',
+ 'book_sort_notification' => 'Book Successfully Re-sorted',
+
+ // Bookshelves
+ 'bookshelf_create' => 'created Bookshelf',
+ 'bookshelf_create_notification' => 'Bookshelf Successfully Created',
+ 'bookshelf_update' => 'updated bookshelf',
+ 'bookshelf_update_notification' => 'Bookshelf Successfully Updated',
+ 'bookshelf_delete' => 'deleted bookshelf',
+ 'bookshelf_delete_notification' => 'Bookshelf Successfully Deleted',
+
+ // Other
+ 'commented_on' => 'commented on',
+];
--- /dev/null
+<?php
+/**
+ * Authentication Language Lines
+ * The following language lines are used during authentication for various
+ * messages that we need to display to the user.
+ */
+return [
+
+ 'failed' => 'These credentials do not match our records.',
+ 'throttle' => 'Too many login attempts. Please try again in :seconds seconds.',
+
+ // Login & Register
+ 'sign_up' => 'Sign up',
+ 'log_in' => 'Log in',
+ 'log_in_with' => 'Login with :socialDriver',
+ 'sign_up_with' => 'Sign up with :socialDriver',
+ 'logout' => 'Logout',
+
+ 'name' => 'Name',
+ 'username' => 'Username',
+ 'email' => 'Email',
+ 'password' => 'Password',
+ 'password_confirm' => 'Confirm Password',
+ 'password_hint' => 'Must be over 7 characters',
+ 'forgot_password' => 'Forgot Password?',
+ 'remember_me' => 'Remember Me',
+ 'ldap_email_hint' => 'Please enter an email to use for this account.',
+ 'create_account' => 'Create Account',
+ 'already_have_account' => 'Already have an account?',
+ 'dont_have_account' => 'Don\'t have an account?',
+ 'social_login' => 'Social Login',
+ 'social_registration' => 'Social Registration',
+ 'social_registration_text' => 'Register and sign in using another service.',
+
+ 'register_thanks' => 'Thanks for registering!',
+ 'register_confirm' => 'Please check your email and click the confirmation button to access :appName.',
+ 'registrations_disabled' => 'Registrations are currently disabled',
+ 'registration_email_domain_invalid' => 'That email domain does not have access to this application',
+ 'register_success' => 'Thanks for signing up! You are now registered and signed in.',
+
+
+ // Password Reset
+ 'reset_password' => 'Reset Password',
+ 'reset_password_send_instructions' => 'Enter your email below and you will be sent an email with a password reset link.',
+ 'reset_password_send_button' => 'Send Reset Link',
+ 'reset_password_sent_success' => 'A password reset link has been sent to :email.',
+ 'reset_password_success' => 'Your password has been successfully reset.',
+ 'email_reset_subject' => 'Reset your :appName password',
+ 'email_reset_text' => 'You are receiving this email because we received a password reset request for your account.',
+ 'email_reset_not_requested' => 'If you did not request a password reset, no further action is required.',
+
+
+ // Email Confirmation
+ 'email_confirm_subject' => 'Confirm your email on :appName',
+ 'email_confirm_greeting' => 'Thanks for joining :appName!',
+ 'email_confirm_text' => 'Please confirm your email address by clicking the button below:',
+ 'email_confirm_action' => 'Confirm Email',
+ 'email_confirm_send_error' => 'Email confirmation required but the system could not send the email. Contact the admin to ensure email is set up correctly.',
+ 'email_confirm_success' => 'Your email has been confirmed!',
+ 'email_confirm_resent' => 'Confirmation email resent, Please check your inbox.',
+
+ 'email_not_confirmed' => 'Email Address Not Confirmed',
+ 'email_not_confirmed_text' => 'Your email address has not yet been confirmed.',
+ 'email_not_confirmed_click_link' => 'Please click the link in the email that was sent shortly after you registered.',
+ 'email_not_confirmed_resend' => 'If you cannot find the email you can re-send the confirmation email by submitting the form below.',
+ 'email_not_confirmed_resend_button' => 'Resend Confirmation Email',
+
+ // User Invite
+ 'user_invite_email_subject' => 'You have been invited to join :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_action' => 'Set Account Password',
+ '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_success' => 'Password set, you now have access to :appName!'
+];
\ No newline at end of file
--- /dev/null
+<?php
+/**
+ * Common elements found throughout many areas of BookStack.
+ */
+return [
+
+ // Buttons
+ 'cancel' => 'Cancel',
+ 'confirm' => 'Confirm',
+ 'back' => 'Back',
+ 'save' => 'Save',
+ 'continue' => 'Continue',
+ 'select' => 'Select',
+ 'toggle_all' => 'Toggle All',
+ 'more' => 'More',
+
+ // Form Labels
+ 'name' => 'Name',
+ 'description' => 'Description',
+ 'role' => 'Role',
+ 'cover_image' => 'Cover image',
+ 'cover_image_description' => 'This image should be approx 440x250px.',
+
+ // Actions
+ 'actions' => 'Actions',
+ 'view' => 'View',
+ 'view_all' => 'View All',
+ 'create' => 'Create',
+ 'update' => 'Update',
+ 'edit' => 'Edit',
+ 'sort' => 'Sort',
+ 'move' => 'Move',
+ 'copy' => 'Copy',
+ 'reply' => 'Reply',
+ 'delete' => 'Delete',
+ 'search' => 'Search',
+ 'search_clear' => 'Clear Search',
+ 'reset' => 'Reset',
+ 'remove' => 'Remove',
+ 'add' => 'Add',
+ 'fullscreen' => 'Fullscreen',
+
+ // Sort Options
+ 'sort_options' => 'Sort Options',
+ 'sort_direction_toggle' => 'Sort Direction Toggle',
+ 'sort_ascending' => 'Sort Ascending',
+ 'sort_descending' => 'Sort Descending',
+ 'sort_name' => 'Name',
+ 'sort_created_at' => 'Created Date',
+ 'sort_updated_at' => 'Updated Date',
+
+ // Misc
+ 'deleted_user' => 'Deleted User',
+ 'no_activity' => 'No activity to show',
+ 'no_items' => 'No items available',
+ 'back_to_top' => 'Back to top',
+ 'toggle_details' => 'Toggle Details',
+ 'toggle_thumbnails' => 'Toggle Thumbnails',
+ 'details' => 'Details',
+ 'grid_view' => 'Grid View',
+ 'list_view' => 'List View',
+ 'default' => 'Default',
+ 'breadcrumb' => 'Breadcrumb',
+
+ // Header
+ 'profile_menu' => 'Profile Menu',
+ 'view_profile' => 'View Profile',
+ 'edit_profile' => 'Edit Profile',
+
+ // Layout tabs
+ 'tab_info' => 'Info',
+ 'tab_content' => 'Content',
+
+ // Email Content
+ 'email_action_help' => 'If you’re having trouble clicking the ":actionText" button, copy and paste the URL below into your web browser:',
+ 'email_rights' => 'All rights reserved',
+];
--- /dev/null
+<?php
+/**
+ * Text used in custom JavaScript driven components.
+ */
+return [
+
+ // Image Manager
+ 'image_select' => 'Image Select',
+ 'image_all' => 'All',
+ 'image_all_title' => 'View all images',
+ 'image_book_title' => 'View images uploaded to this book',
+ 'image_page_title' => 'View images uploaded to this page',
+ 'image_search_hint' => 'Search by image name',
+ 'image_uploaded' => 'Uploaded :uploadedDate',
+ 'image_load_more' => 'Load More',
+ 'image_image_name' => 'Image Name',
+ 'image_delete_used' => 'This image is used in the pages below.',
+ 'image_delete_confirm' => 'Click delete again to confirm you want to delete this image.',
+ 'image_select_image' => 'Select Image',
+ 'image_dropzone' => 'Drop images or click here to upload',
+ 'images_deleted' => 'Images Deleted',
+ 'image_preview' => 'Image Preview',
+ 'image_upload_success' => 'Image uploaded successfully',
+ 'image_update_success' => 'Image details successfully updated',
+ 'image_delete_success' => 'Image successfully deleted',
+ 'image_upload_remove' => 'Remove',
+
+ // Code Editor
+ 'code_editor' => 'Edit Code',
+ 'code_language' => 'Code Language',
+ 'code_content' => 'Code Content',
+ 'code_save' => 'Save Code',
+];
--- /dev/null
+<?php
+/**
+ * Text used for 'Entities' (Document Structure Elements) such as
+ * Books, Shelves, Chapters & Pages
+ */
+return [
+
+ // Shared
+ 'recently_created' => 'Recently Created',
+ 'recently_created_pages' => 'Recently Created Pages',
+ 'recently_updated_pages' => 'Recently Updated Pages',
+ 'recently_created_chapters' => 'Recently Created Chapters',
+ 'recently_created_books' => 'Recently Created Books',
+ 'recently_created_shelves' => 'Recently Created Shelves',
+ 'recently_update' => 'Recently Updated',
+ 'recently_viewed' => 'Recently Viewed',
+ 'recent_activity' => 'Recent Activity',
+ 'create_now' => 'Create one now',
+ 'revisions' => 'Revisions',
+ 'meta_revision' => 'Revision #:revisionCount',
+ 'meta_created' => 'Created :timeLength',
+ 'meta_created_name' => 'Created :timeLength by :user',
+ 'meta_updated' => 'Updated :timeLength',
+ 'meta_updated_name' => 'Updated :timeLength by :user',
+ 'entity_select' => 'Entity Select',
+ 'images' => 'Images',
+ 'my_recent_drafts' => 'My Recent Drafts',
+ 'my_recently_viewed' => 'My Recently Viewed',
+ 'no_pages_viewed' => 'You have not viewed any pages',
+ 'no_pages_recently_created' => 'No pages have been recently created',
+ 'no_pages_recently_updated' => 'No pages have been recently updated',
+ 'export' => 'Export',
+ 'export_html' => 'Contained Web File',
+ 'export_pdf' => 'PDF File',
+ 'export_text' => 'Plain Text File',
+
+ // Permissions and restrictions
+ 'permissions' => 'Permissions',
+ 'permissions_intro' => 'Once enabled, These permissions will take priority over any set role permissions.',
+ 'permissions_enable' => 'Enable Custom Permissions',
+ 'permissions_save' => 'Save Permissions',
+
+ // Search
+ 'search_results' => 'Search Results',
+ 'search_total_results_found' => ':count result found|:count total results found',
+ 'search_clear' => 'Clear Search',
+ 'search_no_pages' => 'No pages matched this search',
+ 'search_for_term' => 'Search for :term',
+ 'search_more' => 'More Results',
+ 'search_filters' => 'Search Filters',
+ 'search_content_type' => 'Content Type',
+ 'search_exact_matches' => 'Exact Matches',
+ 'search_tags' => 'Tag Searches',
+ 'search_options' => 'Options',
+ 'search_viewed_by_me' => 'Viewed by me',
+ 'search_not_viewed_by_me' => 'Not viewed by me',
+ 'search_permissions_set' => 'Permissions set',
+ 'search_created_by_me' => 'Created by me',
+ 'search_updated_by_me' => 'Updated by me',
+ 'search_date_options' => 'Date Options',
+ 'search_updated_before' => 'Updated before',
+ 'search_updated_after' => 'Updated after',
+ 'search_created_before' => 'Created before',
+ 'search_created_after' => 'Created after',
+ 'search_set_date' => 'Set Date',
+ 'search_update' => 'Update Search',
+
+ // Shelves
+ 'shelf' => 'Shelf',
+ 'shelves' => 'Shelves',
+ 'x_shelves' => ':count Shelf|:count Shelves',
+ 'shelves_long' => 'Bookshelves',
+ 'shelves_empty' => 'No shelves have been created',
+ 'shelves_create' => 'Create New Shelf',
+ 'shelves_popular' => 'Popular Shelves',
+ 'shelves_new' => 'New Shelves',
+ 'shelves_new_action' => 'New Shelf',
+ 'shelves_popular_empty' => 'The most popular shelves will appear here.',
+ 'shelves_new_empty' => 'The most recently created shelves will appear here.',
+ 'shelves_save' => 'Save Shelf',
+ 'shelves_books' => 'Books on this shelf',
+ 'shelves_add_books' => 'Add books to this shelf',
+ 'shelves_drag_books' => 'Drag books here to add them to this shelf',
+ 'shelves_empty_contents' => 'This shelf has no books assigned to it',
+ 'shelves_edit_and_assign' => 'Edit shelf to assign books',
+ 'shelves_edit_named' => 'Edit Bookshelf :name',
+ 'shelves_edit' => 'Edit Bookshelf',
+ 'shelves_delete' => 'Delete Bookshelf',
+ 'shelves_delete_named' => 'Delete Bookshelf :name',
+ 'shelves_delete_explain' => "This will delete the bookshelf with the name ':name'. Contained books will not be deleted.",
+ 'shelves_delete_confirmation' => 'Are you sure you want to delete this bookshelf?',
+ 'shelves_permissions' => 'Bookshelf Permissions',
+ 'shelves_permissions_updated' => 'Bookshelf Permissions Updated',
+ 'shelves_permissions_active' => 'Bookshelf Permissions Active',
+ 'shelves_copy_permissions_to_books' => 'Copy Permissions to Books',
+ 'shelves_copy_permissions' => 'Copy Permissions',
+ 'shelves_copy_permissions_explain' => 'This will apply the current permission settings of this bookshelf to all books contained within. Before activating, ensure any changes to the permissions of this bookshelf have been saved.',
+ 'shelves_copy_permission_success' => 'Bookshelf permissions copied to :count books',
+
+ // Books
+ 'book' => 'Book',
+ 'books' => 'Books',
+ 'x_books' => ':count Book|:count Books',
+ 'books_empty' => 'No books have been created',
+ 'books_popular' => 'Popular Books',
+ 'books_recent' => 'Recent Books',
+ 'books_new' => 'New Books',
+ 'books_new_action' => 'New Book',
+ 'books_popular_empty' => 'The most popular books will appear here.',
+ 'books_new_empty' => 'The most recently created books will appear here.',
+ 'books_create' => 'Create New Book',
+ 'books_delete' => 'Delete Book',
+ 'books_delete_named' => 'Delete Book :bookName',
+ 'books_delete_explain' => 'This will delete the book with the name \':bookName\'. All pages and chapters will be removed.',
+ 'books_delete_confirmation' => 'Are you sure you want to delete this book?',
+ 'books_edit' => 'Edit Book',
+ 'books_edit_named' => 'Edit Book :bookName',
+ 'books_form_book_name' => 'Book Name',
+ 'books_save' => 'Save Book',
+ 'books_permissions' => 'Book Permissions',
+ 'books_permissions_updated' => 'Book Permissions Updated',
+ 'books_empty_contents' => 'No pages or chapters have been created for this book.',
+ 'books_empty_create_page' => 'Create a new page',
+ 'books_empty_sort_current_book' => 'Sort the current book',
+ 'books_empty_add_chapter' => 'Add a chapter',
+ 'books_permissions_active' => 'Book Permissions Active',
+ 'books_search_this' => 'Search this book',
+ 'books_navigation' => 'Book Navigation',
+ 'books_sort' => 'Sort Book Contents',
+ 'books_sort_named' => 'Sort Book :bookName',
+ 'books_sort_name' => 'Sort by Name',
+ 'books_sort_created' => 'Sort by Created Date',
+ 'books_sort_updated' => 'Sort by Updated Date',
+ 'books_sort_chapters_first' => 'Chapters First',
+ 'books_sort_chapters_last' => 'Chapters Last',
+ 'books_sort_show_other' => 'Show Other Books',
+ 'books_sort_save' => 'Save New Order',
+
+ // Chapters
+ 'chapter' => 'Chapter',
+ 'chapters' => 'Chapters',
+ 'x_chapters' => ':count Chapter|:count Chapters',
+ 'chapters_popular' => 'Popular Chapters',
+ 'chapters_new' => 'New Chapter',
+ 'chapters_create' => 'Create New Chapter',
+ 'chapters_delete' => 'Delete Chapter',
+ 'chapters_delete_named' => 'Delete Chapter :chapterName',
+ 'chapters_delete_explain' => 'This will delete the chapter with the name \':chapterName\'. All pages will be removed and added directly to the parent book.',
+ 'chapters_delete_confirm' => 'Are you sure you want to delete this chapter?',
+ 'chapters_edit' => 'Edit Chapter',
+ 'chapters_edit_named' => 'Edit Chapter :chapterName',
+ 'chapters_save' => 'Save Chapter',
+ 'chapters_move' => 'Move Chapter',
+ 'chapters_move_named' => 'Move Chapter :chapterName',
+ 'chapter_move_success' => 'Chapter moved to :bookName',
+ 'chapters_permissions' => 'Chapter Permissions',
+ 'chapters_empty' => 'No pages are currently in this chapter.',
+ 'chapters_permissions_active' => 'Chapter Permissions Active',
+ 'chapters_permissions_success' => 'Chapter Permissions Updated',
+ 'chapters_search_this' => 'Search this chapter',
+
+ // Pages
+ 'page' => 'Page',
+ 'pages' => 'Pages',
+ 'x_pages' => ':count Page|:count Pages',
+ 'pages_popular' => 'Popular Pages',
+ 'pages_new' => 'New Page',
+ 'pages_attachments' => 'Attachments',
+ 'pages_navigation' => 'Page Navigation',
+ 'pages_delete' => 'Delete Page',
+ 'pages_delete_named' => 'Delete Page :pageName',
+ 'pages_delete_draft_named' => 'Delete Draft Page :pageName',
+ 'pages_delete_draft' => 'Delete Draft Page',
+ 'pages_delete_success' => 'Page deleted',
+ 'pages_delete_draft_success' => 'Draft page deleted',
+ 'pages_delete_confirm' => 'Are you sure you want to delete this page?',
+ 'pages_delete_draft_confirm' => 'Are you sure you want to delete this draft page?',
+ 'pages_editing_named' => 'Editing Page :pageName',
+ 'pages_edit_draft_options' => 'Draft Options',
+ 'pages_edit_save_draft' => 'Save Draft',
+ 'pages_edit_draft' => 'Edit Page Draft',
+ 'pages_editing_draft' => 'Editing Draft',
+ 'pages_editing_page' => 'Editing Page',
+ 'pages_edit_draft_save_at' => 'Draft saved at ',
+ 'pages_edit_delete_draft' => 'Delete Draft',
+ 'pages_edit_discard_draft' => 'Discard Draft',
+ 'pages_edit_set_changelog' => 'Set Changelog',
+ 'pages_edit_enter_changelog_desc' => 'Enter a brief description of the changes you\'ve made',
+ 'pages_edit_enter_changelog' => 'Enter Changelog',
+ 'pages_save' => 'Save Page',
+ 'pages_title' => 'Page Title',
+ 'pages_name' => 'Page Name',
+ 'pages_md_editor' => 'Editor',
+ 'pages_md_preview' => 'Preview',
+ 'pages_md_insert_image' => 'Insert Image',
+ 'pages_md_insert_link' => 'Insert Entity Link',
+ 'pages_md_insert_drawing' => 'Insert Drawing',
+ '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',
+ 'pages_permissions' => 'Page Permissions',
+ 'pages_permissions_success' => 'Page permissions updated',
+ 'pages_revision' => 'Revision',
+ 'pages_revisions' => 'Page Revisions',
+ 'pages_revisions_named' => 'Page Revisions for :pageName',
+ 'pages_revision_named' => 'Page Revision for :pageName',
+ 'pages_revisions_created_by' => 'Created By',
+ 'pages_revisions_date' => 'Revision Date',
+ 'pages_revisions_number' => '#',
+ 'pages_revisions_numbered' => 'Revision #:id',
+ 'pages_revisions_numbered_changes' => 'Revision #:id Changes',
+ 'pages_revisions_changelog' => 'Changelog',
+ 'pages_revisions_changes' => 'Changes',
+ 'pages_revisions_current' => 'Current Version',
+ 'pages_revisions_preview' => 'Preview',
+ 'pages_revisions_restore' => 'Restore',
+ 'pages_revisions_none' => 'This page has no revisions',
+ 'pages_copy_link' => 'Copy Link',
+ 'pages_edit_content_link' => 'Edit Content',
+ 'pages_permissions_active' => 'Page Permissions Active',
+ 'pages_initial_revision' => 'Initial publish',
+ 'pages_initial_name' => 'New Page',
+ 'pages_editing_draft_notification' => 'You are currently editing a draft that was last saved :timeDiff.',
+ 'pages_draft_edited_notification' => 'This page has been updated by since that time. It is recommended that you discard this draft.',
+ 'pages_draft_edit_active' => [
+ 'start_a' => ':count users have started editing this page',
+ 'start_b' => ':userName has started editing this page',
+ 'time_a' => 'since the page was last updated',
+ '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_specific' => 'Specific Page',
+ 'pages_is_template' => 'Page Template',
+
+ // Editor Sidebar
+ 'page_tags' => 'Page Tags',
+ 'chapter_tags' => 'Chapter Tags',
+ 'book_tags' => 'Book Tags',
+ 'shelf_tags' => 'Shelf Tags',
+ 'tag' => 'Tag',
+ 'tags' => 'Tags',
+ 'tag_name' => 'Tag Name',
+ 'tag_value' => 'Tag Value (Optional)',
+ 'tags_explain' => "Add some tags to better categorise your content. \n You can assign a value to a tag for more in-depth organisation.",
+ 'tags_add' => 'Add another tag',
+ 'tags_remove' => 'Remove this tag',
+ 'attachments' => 'Attachments',
+ 'attachments_explain' => 'Upload some files or attach some links to display on your page. These are visible in the page sidebar.',
+ 'attachments_explain_instant_save' => 'Changes here are saved instantly.',
+ 'attachments_items' => 'Attached Items',
+ 'attachments_upload' => 'Upload File',
+ 'attachments_link' => 'Attach Link',
+ 'attachments_set_link' => 'Set Link',
+ 'attachments_delete_confirm' => 'Click delete again to confirm you want to delete this attachment.',
+ 'attachments_dropzone' => 'Drop files or click here to attach a file',
+ 'attachments_no_files' => 'No files have been uploaded',
+ 'attachments_explain_link' => 'You can attach a link if you\'d prefer not to upload a file. This can be a link to another page or a link to a file in the cloud.',
+ 'attachments_link_name' => 'Link Name',
+ 'attachment_link' => 'Attachment link',
+ 'attachments_link_url' => 'Link to file',
+ 'attachments_link_url_hint' => 'Url of site or file',
+ 'attach' => 'Attach',
+ 'attachments_edit_file' => 'Edit File',
+ 'attachments_edit_file_name' => 'File Name',
+ 'attachments_edit_drop_upload' => 'Drop files or click here to upload and overwrite',
+ 'attachments_order_updated' => 'Attachment order updated',
+ 'attachments_updated_success' => 'Attachment details updated',
+ 'attachments_deleted' => 'Attachment deleted',
+ 'attachments_file_uploaded' => 'File successfully uploaded',
+ 'attachments_file_updated' => 'File successfully updated',
+ 'attachments_link_attached' => 'Link successfully attached to page',
+ 'templates' => 'Templates',
+ 'templates_set_as_template' => 'Page is a template',
+ 'templates_explain_set_as_template' => 'You can set this page as a template so its contents be utilized when creating other pages. Other users will be able to use this template if they have view permissions for this page.',
+ 'templates_replace_content' => 'Replace page content',
+ 'templates_append_content' => 'Append to page content',
+ 'templates_prepend_content' => 'Prepend to page content',
+
+ // Profile View
+ 'profile_user_for_x' => 'User for :time',
+ 'profile_created_content' => 'Created Content',
+ 'profile_not_created_pages' => ':userName has not created any pages',
+ 'profile_not_created_chapters' => ':userName has not created any chapters',
+ 'profile_not_created_books' => ':userName has not created any books',
+ 'profile_not_created_shelves' => ':userName has not created any shelves',
+
+ // Comments
+ 'comment' => 'Comment',
+ 'comments' => 'Comments',
+ 'comment_add' => 'Add Comment',
+ '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_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',
+
+ // 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.'
+];
\ No newline at end of file
--- /dev/null
+<?php
+/**
+ * Text shown in error messaging.
+ */
+return [
+
+ // Permissions
+ 'permission' => 'You do not have permission to access the requested page.',
+ 'permissionJson' => 'You do not have permission to perform the requested action.',
+
+ // Auth
+ 'error_user_exists_different_creds' => 'A user with the email :email already exists but with different credentials.',
+ 'email_already_confirmed' => 'Email has already been confirmed, Try logging in.',
+ 'email_confirmation_invalid' => 'This confirmation token is not valid or has already been used, Please try registering again.',
+ 'email_confirmation_expired' => 'The confirmation token has expired, A new confirmation email has been sent.',
+ '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_authed' => 'LDAP access failed using given dn & password details',
+ 'ldap_extension_not_installed' => 'LDAP PHP extension not installed',
+ 'ldap_cannot_connect' => 'Cannot connect to ldap server, Initial connection failed',
+ 'saml_already_logged_in' => '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',
+ 'social_no_action_defined' => 'No action defined',
+ 'social_login_bad_response' => "Error received during :socialAccount login: \n:error",
+ 'social_account_in_use' => 'This :socialAccount account is already in use, Try logging in via the :socialAccount option.',
+ 'social_account_email_in_use' => 'The email :email is already in use. If you already have an account you can connect your :socialAccount account from your profile settings.',
+ 'social_account_existing' => 'This :socialAccount is already attached to your profile.',
+ 'social_account_already_used_existing' => 'This :socialAccount account is already used by another user.',
+ 'social_account_not_used' => 'This :socialAccount account is not linked to any users. Please attach it in your profile settings. ',
+ 'social_account_register_instructions' => 'If you do not yet have an account, You can register an account using the :socialAccount option.',
+ 'social_driver_not_found' => 'Social driver not found',
+ 'social_driver_not_configured' => 'Your :socialAccount social settings are not configured correctly.',
+ 'invite_token_expired' => 'This invitation link has expired. You can instead try to reset your account password.',
+
+ // System
+ 'path_not_writable' => 'File path :filePath could not be uploaded to. Ensure it is writable to the server.',
+ 'cannot_get_image_from_url' => 'Cannot get image from :url',
+ 'cannot_create_thumbs' => 'The server cannot create thumbnails. Please check you have the GD PHP extension installed.',
+ 'server_upload_limit' => 'The server does not allow uploads of this size. Please try a smaller file size.',
+ 'uploaded' => 'The server does not allow uploads of this size. Please try a smaller file size.',
+ 'image_upload_error' => 'An error occurred uploading the image',
+ 'image_upload_type_error' => 'The image type being uploaded is invalid',
+ 'file_upload_timeout' => 'The file upload has timed out.',
+
+ // Attachments
+ 'attachment_page_mismatch' => 'Page mismatch during attachment update',
+ 'attachment_not_found' => 'Attachment not found',
+
+ // Pages
+ 'page_draft_autosave_fail' => 'Failed to save draft. Ensure you have internet connection before saving this page',
+ 'page_custom_home_deletion' => 'Cannot delete a page while it is set as a homepage',
+
+ // Entities
+ 'entity_not_found' => 'Entity not found',
+ 'bookshelf_not_found' => 'Bookshelf not found',
+ 'book_not_found' => 'Book not found',
+ 'page_not_found' => 'Page not found',
+ 'chapter_not_found' => 'Chapter not found',
+ 'selected_book_not_found' => 'The selected book was not found',
+ 'selected_book_chapter_not_found' => 'The selected Book or Chapter was not found',
+ 'guests_cannot_save_drafts' => 'Guests cannot save drafts',
+
+ // Users
+ 'users_cannot_delete_only_admin' => 'You cannot delete the only admin',
+ 'users_cannot_delete_guest' => 'You cannot delete the guest user',
+
+ // Roles
+ 'role_cannot_be_edited' => 'This role cannot be edited',
+ 'role_system_cannot_be_deleted' => 'This role is a system role and cannot be deleted',
+ 'role_registration_default_cannot_delete' => 'This role cannot be deleted while set as the default registration role',
+ 'role_cannot_remove_only_admin' => 'This user is the only user assigned to the administrator role. Assign the administrator role to another user before attempting to remove it here.',
+
+ // Comments
+ 'comment_list' => 'An error occurred while fetching the comments.',
+ 'cannot_add_comment_to_draft' => 'You cannot add comments to a draft.',
+ 'comment_add' => 'An error occurred while adding / updating the comment.',
+ 'comment_delete' => 'An error occurred while deleting the comment.',
+ 'empty_comment' => 'Cannot add an empty comment.',
+
+ // Error pages
+ '404_page_not_found' => 'Page Not Found',
+ 'sorry_page_not_found' => 'Sorry, The page you were looking for could not be found.',
+ 'return_home' => 'Return to home',
+ 'error_occurred' => 'An Error Occurred',
+ 'app_down' => ':appName is down right now',
+ 'back_soon' => 'It will be back up soon.',
+
+ // API errors
+ 'api_no_authorization_found' => 'No authorization token found on the request',
+ 'api_bad_authorization_format' => 'An authorization token was found on the request but the format appeared incorrect',
+ 'api_user_token_not_found' => 'No matching API token was found for the provided authorization token',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => 'The authorization token used has expired',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
+];
--- /dev/null
+<?php
+/**
+ * Pagination Language Lines
+ * The following language lines are used by the paginator library to build
+ * the simple pagination links.
+ */
+return [
+
+ 'previous' => '« Previous',
+ 'next' => 'Next »',
+
+];
--- /dev/null
+<?php
+/**
+ * Password Reminder Language Lines
+ * The following language lines are the default lines which match reasons
+ * that are given by the password broker for a password update attempt has failed.
+ */
+return [
+
+ 'password' => 'Passwords must be at least eight characters and match the confirmation.',
+ 'user' => "We can't find a user with that e-mail address.",
+ 'token' => 'This password reset token is invalid.',
+ 'sent' => 'We have e-mailed your password reset link!',
+ 'reset' => 'Your password has been reset!',
+
+];
--- /dev/null
+<?php
+/**
+ * Settings text strings
+ * Contains all text strings used in the general settings sections of BookStack
+ * including users and roles.
+ */
+return [
+
+ // Common Messages
+ 'settings' => 'Settings',
+ 'settings_save' => 'Save Settings',
+ 'settings_save_success' => 'Settings saved',
+
+ // App Settings
+ 'app_customization' => 'Customization',
+ 'app_features_security' => 'Features & Security',
+ 'app_name' => 'Application Name',
+ 'app_name_desc' => 'This name is shown in the header and in any system-sent emails.',
+ 'app_name_header' => 'Show name in header',
+ 'app_public_access' => 'Public Access',
+ 'app_public_access_desc' => 'Enabling this option will allow visitors, that are not logged-in, to access content in your BookStack instance.',
+ 'app_public_access_desc_guest' => 'Access for public visitors can be controlled through the "Guest" user.',
+ 'app_public_access_toggle' => 'Allow public access',
+ 'app_public_viewing' => 'Allow public viewing?',
+ 'app_secure_images' => 'Higher Security Image Uploads',
+ 'app_secure_images_toggle' => 'Enable higher security image uploads',
+ 'app_secure_images_desc' => 'For performance reasons, all images are public. This option adds a random, hard-to-guess string in front of image urls. Ensure directory indexes are not enabled to prevent easy access.',
+ 'app_editor' => 'Page Editor',
+ 'app_editor_desc' => 'Select which editor will be used by all users to edit pages.',
+ 'app_custom_html' => 'Custom HTML Head Content',
+ 'app_custom_html_desc' => 'Any content added here will be inserted into the bottom of the <head> section of every page. This is handy for overriding styles or adding analytics code.',
+ 'app_custom_html_disabled_notice' => 'Custom HTML head content is disabled on this settings page to ensure any breaking changes can be reverted.',
+ 'app_logo' => 'Application Logo',
+ 'app_logo_desc' => 'This image should be 43px in height. <br>Large images will be scaled down.',
+ 'app_primary_color' => 'Application Primary Color',
+ 'app_primary_color_desc' => 'Sets the primary color for the application including the banner, buttons, and links.',
+ 'app_homepage' => 'Application Homepage',
+ 'app_homepage_desc' => 'Select a view to show on the homepage instead of the default view. Page permissions are ignored for selected pages.',
+ 'app_homepage_select' => 'Select a page',
+ 'app_disable_comments' => 'Disable Comments',
+ 'app_disable_comments_toggle' => 'Disable comments',
+ 'app_disable_comments_desc' => 'Disables comments across all pages in the application. <br> Existing comments are not shown.',
+
+ // Color settings
+ 'content_colors' => 'Content Colors',
+ 'content_colors_desc' => 'Sets 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' => 'Shelf Color',
+ 'book_color' => 'Book Color',
+ 'chapter_color' => 'Chapter Color',
+ 'page_color' => 'Page Color',
+ 'page_draft_color' => 'Page Draft Color',
+
+ // Registration Settings
+ 'reg_settings' => 'Registration',
+ 'reg_enable' => 'Enable Registration',
+ 'reg_enable_toggle' => 'Enable registration',
+ 'reg_enable_desc' => 'When registration is enabled user will be able to sign themselves up as an application user. Upon registration they are given a single, default user role.',
+ 'reg_default_role' => 'Default user role after registration',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
+ 'reg_email_confirmation' => 'Email Confirmation',
+ 'reg_email_confirmation_toggle' => 'Require email confirmation',
+ 'reg_confirm_email_desc' => 'If domain restriction is used then email confirmation will be required and this option will be ignored.',
+ 'reg_confirm_restrict_domain' => 'Domain Restriction',
+ 'reg_confirm_restrict_domain_desc' => 'Enter a comma separated list of email domains you would like to restrict registration to. Users will be sent an email to confirm their address before being allowed to interact with the application. <br> Note that users will be able to change their email addresses after successful registration.',
+ 'reg_confirm_restrict_domain_placeholder' => 'No restriction set',
+
+ // Maintenance settings
+ 'maint' => 'Maintenance',
+ 'maint_image_cleanup' => 'Cleanup Images',
+ 'maint_image_cleanup_desc' => "Scans page & revision content to check which images and drawings are currently in use and which images are redundant. Ensure you create a full database and image backup before running this.",
+ 'maint_image_cleanup_ignore_revisions' => 'Ignore images in revisions',
+ 'maint_image_cleanup_run' => 'Run Cleanup',
+ 'maint_image_cleanup_warning' => ':count potentially unused images were found. Are you sure you want to delete these images?',
+ 'maint_image_cleanup_success' => ':count potentially unused images found and deleted!',
+ 'maint_image_cleanup_nothing_found' => 'No unused images found, Nothing deleted!',
+ 'maint_send_test_email' => 'Send a Test Email',
+ 'maint_send_test_email_desc' => 'This sends a test email to your email address specified in your profile.',
+ 'maint_send_test_email_run' => 'Send test email',
+ 'maint_send_test_email_success' => 'Email sent to :address',
+ 'maint_send_test_email_mail_subject' => 'Test Email',
+ 'maint_send_test_email_mail_greeting' => 'Email delivery seems to work!',
+ 'maint_send_test_email_mail_text' => 'Congratulations! As you received this email notification, your email settings seem to be configured properly.',
+
+ // Role Settings
+ 'roles' => 'Roles',
+ 'role_user_roles' => 'User Roles',
+ 'role_create' => 'Create New Role',
+ 'role_create_success' => 'Role successfully created',
+ 'role_delete' => 'Delete Role',
+ 'role_delete_confirm' => 'This will delete the role with the name \':roleName\'.',
+ 'role_delete_users_assigned' => 'This role has :userCount users assigned to it. If you would like to migrate the users from this role select a new role below.',
+ 'role_delete_no_migration' => "Don't migrate users",
+ 'role_delete_sure' => 'Are you sure you want to delete this role?',
+ 'role_delete_success' => 'Role successfully deleted',
+ 'role_edit' => 'Edit Role',
+ 'role_details' => 'Role Details',
+ 'role_name' => 'Role Name',
+ 'role_desc' => 'Short Description of Role',
+ 'role_external_auth_id' => 'External Authentication IDs',
+ 'role_system' => 'System Permissions',
+ 'role_manage_users' => 'Manage users',
+ 'role_manage_roles' => 'Manage roles & role permissions',
+ 'role_manage_entity_permissions' => 'Manage all book, chapter & page permissions',
+ 'role_manage_own_entity_permissions' => 'Manage permissions on own book, chapter & pages',
+ 'role_manage_page_templates' => 'Manage page templates',
+ 'role_access_api' => 'Access system API',
+ 'role_manage_settings' => 'Manage app settings',
+ 'role_asset' => 'Asset Permissions',
+ 'role_asset_desc' => 'These permissions control default access to the assets within the system. Permissions on Books, Chapters and Pages will override these permissions.',
+ 'role_asset_admins' => 'Admins are automatically given access to all content but these options may show or hide UI options.',
+ 'role_all' => 'All',
+ 'role_own' => 'Own',
+ 'role_controlled_by_asset' => 'Controlled by the asset they are uploaded to',
+ 'role_save' => 'Save Role',
+ 'role_update_success' => 'Role successfully updated',
+ 'role_users' => 'Users in this role',
+ 'role_users_none' => 'No users are currently assigned to this role',
+
+ // Users
+ 'users' => 'Users',
+ 'user_profile' => 'User Profile',
+ 'users_add_new' => 'Add New User',
+ 'users_search' => 'Search Users',
+ 'users_details' => 'User Details',
+ 'users_details_desc' => 'Set a display name and an email address for this user. The email address will be used for logging into the application.',
+ 'users_details_desc_no_email' => 'Set a display name for this user so others can recognise them.',
+ 'users_role' => 'User Roles',
+ 'users_role_desc' => 'Select which roles this user will be assigned to. If a user is assigned to multiple roles the permissions from those roles will stack and they will receive all abilities of the assigned roles.',
+ 'users_password' => 'User Password',
+ 'users_password_desc' => 'Set a password used to log-in to the application. This must be at least 6 characters long.',
+ 'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
+ 'users_send_invite_option' => 'Send user invite email',
+ 'users_external_auth_id' => 'External Authentication ID',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
+ 'users_password_warning' => 'Only fill the below if you would like to change your password.',
+ 'users_system_public' => 'This user represents any guest users that visit your instance. It cannot be used to log in but is assigned automatically.',
+ 'users_delete' => 'Delete User',
+ 'users_delete_named' => 'Delete user :userName',
+ 'users_delete_warning' => 'This will fully delete this user with the name \':userName\' from the system.',
+ 'users_delete_confirm' => 'Are you sure you want to delete this user?',
+ 'users_delete_success' => 'Users successfully removed',
+ 'users_edit' => 'Edit User',
+ 'users_edit_profile' => 'Edit Profile',
+ 'users_edit_success' => 'User successfully updated',
+ 'users_avatar' => 'User Avatar',
+ 'users_avatar_desc' => 'Select an image to represent this user. This should be approx 256px square.',
+ 'users_preferred_language' => 'Preferred Language',
+ 'users_preferred_language_desc' => 'This option will change the language used for the user-interface of the application. This will not affect any user-created content.',
+ 'users_social_accounts' => 'Social Accounts',
+ 'users_social_accounts_info' => 'Here you can connect your other accounts for quicker and easier login. Disconnecting an account here does not revoke previously authorized access. Revoke access from your profile settings on the connected social account.',
+ 'users_social_connect' => 'Connect Account',
+ 'users_social_disconnect' => 'Disconnect Account',
+ 'users_social_connected' => ':socialAccount account was successfully attached to your profile.',
+ 'users_social_disconnected' => ':socialAccount account was successfully disconnected from your profile.',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'No API tokens have been created for this user',
+ 'users_api_tokens_create' => 'Create Token',
+ 'users_api_tokens_expires' => 'Expires',
+ 'users_api_tokens_docs' => 'API Documentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Create API Token',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Token Created :timeAgo',
+ 'user_api_token_updated' => 'Token Updated :timeAgo',
+ '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',
+
+ //! If editing translations files directly please ignore this in all
+ //! languages apart from en. Content will be auto-copied from en.
+ //!////////////////////////////////
+ 'language_select' => [
+ 'en' => 'English',
+ 'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
+ 'de' => 'Deutsch (Sie)',
+ 'de_informal' => 'Deutsch (Du)',
+ 'es' => 'Español',
+ 'es_AR' => 'Español Argentina',
+ 'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
+ 'nl' => 'Nederlands',
+ 'pl' => 'Polski',
+ 'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
+ 'sk' => 'Slovensky',
+ 'sv' => 'Svenska',
+ 'tr' => 'Türkçe',
+ 'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
+ 'zh_CN' => '简体中文',
+ 'zh_TW' => '繁體中文',
+ ]
+ //!////////////////////////////////
+];
--- /dev/null
+<?php
+/**
+ * Validation Lines
+ * The following language lines contain the default error messages used by
+ * the validator class. Some of these rules have multiple versions such
+ * as the size rules. Feel free to tweak each of these messages here.
+ */
+return [
+
+ // Standard laravel validation lines
+ 'accepted' => 'The :attribute must be accepted.',
+ 'active_url' => 'The :attribute is not a valid URL.',
+ 'after' => 'The :attribute must be a date after :date.',
+ 'alpha' => 'The :attribute may only contain letters.',
+ 'alpha_dash' => 'The :attribute may only contain letters, numbers, dashes and underscores.',
+ 'alpha_num' => 'The :attribute may only contain letters and numbers.',
+ 'array' => 'The :attribute must be an array.',
+ 'before' => 'The :attribute must be a date before :date.',
+ 'between' => [
+ 'numeric' => 'The :attribute must be between :min and :max.',
+ 'file' => 'The :attribute must be between :min and :max kilobytes.',
+ 'string' => 'The :attribute must be between :min and :max characters.',
+ 'array' => 'The :attribute must have between :min and :max items.',
+ ],
+ 'boolean' => 'The :attribute field must be true or false.',
+ 'confirmed' => 'The :attribute confirmation does not match.',
+ 'date' => 'The :attribute is not a valid date.',
+ 'date_format' => 'The :attribute does not match the format :format.',
+ 'different' => 'The :attribute and :other must be different.',
+ 'digits' => 'The :attribute must be :digits digits.',
+ 'digits_between' => 'The :attribute must be between :min and :max digits.',
+ 'email' => 'The :attribute must be a valid email address.',
+ 'ends_with' => 'The :attribute must end with one of the following: :values',
+ 'filled' => 'The :attribute field is required.',
+ 'gt' => [
+ 'numeric' => 'The :attribute must be greater than :value.',
+ 'file' => 'The :attribute must be greater than :value kilobytes.',
+ 'string' => 'The :attribute must be greater than :value characters.',
+ 'array' => 'The :attribute must have more than :value items.',
+ ],
+ 'gte' => [
+ 'numeric' => 'The :attribute must be greater than or equal :value.',
+ 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
+ 'string' => 'The :attribute must be greater than or equal :value characters.',
+ 'array' => 'The :attribute must have :value items or more.',
+ ],
+ 'exists' => 'The selected :attribute is invalid.',
+ 'image' => 'The :attribute must be an image.',
+ 'image_extension' => 'The :attribute must have a valid & supported image extension.',
+ 'in' => 'The selected :attribute is invalid.',
+ 'integer' => 'The :attribute must be an integer.',
+ 'ip' => 'The :attribute must be a valid IP address.',
+ 'ipv4' => 'The :attribute must be a valid IPv4 address.',
+ 'ipv6' => 'The :attribute must be a valid IPv6 address.',
+ 'json' => 'The :attribute must be a valid JSON string.',
+ 'lt' => [
+ 'numeric' => 'The :attribute must be less than :value.',
+ 'file' => 'The :attribute must be less than :value kilobytes.',
+ 'string' => 'The :attribute must be less than :value characters.',
+ 'array' => 'The :attribute must have less than :value items.',
+ ],
+ 'lte' => [
+ 'numeric' => 'The :attribute must be less than or equal :value.',
+ 'file' => 'The :attribute must be less than or equal :value kilobytes.',
+ 'string' => 'The :attribute must be less than or equal :value characters.',
+ 'array' => 'The :attribute must not have more than :value items.',
+ ],
+ 'max' => [
+ 'numeric' => 'The :attribute may not be greater than :max.',
+ 'file' => 'The :attribute may not be greater than :max kilobytes.',
+ 'string' => 'The :attribute may not be greater than :max characters.',
+ 'array' => 'The :attribute may not have more than :max items.',
+ ],
+ 'mimes' => 'The :attribute must be a file of type: :values.',
+ 'min' => [
+ 'numeric' => 'The :attribute must be at least :min.',
+ 'file' => 'The :attribute must be at least :min kilobytes.',
+ 'string' => 'The :attribute must be at least :min characters.',
+ 'array' => 'The :attribute must have at least :min items.',
+ ],
+ 'no_double_extension' => 'The :attribute must only have a single file extension.',
+ 'not_in' => 'The selected :attribute is invalid.',
+ 'not_regex' => 'The :attribute format is invalid.',
+ 'numeric' => 'The :attribute must be a number.',
+ 'regex' => 'The :attribute format is invalid.',
+ 'required' => 'The :attribute field is required.',
+ 'required_if' => 'The :attribute field is required when :other is :value.',
+ 'required_with' => 'The :attribute field is required when :values is present.',
+ 'required_with_all' => 'The :attribute field is required when :values is present.',
+ 'required_without' => 'The :attribute field is required when :values is not present.',
+ 'required_without_all' => 'The :attribute field is required when none of :values are present.',
+ 'same' => 'The :attribute and :other must match.',
+ 'size' => [
+ 'numeric' => 'The :attribute must be :size.',
+ 'file' => 'The :attribute must be :size kilobytes.',
+ 'string' => 'The :attribute must be :size characters.',
+ 'array' => 'The :attribute must contain :size items.',
+ ],
+ 'string' => 'The :attribute must be a string.',
+ 'timezone' => 'The :attribute must be a valid zone.',
+ 'unique' => 'The :attribute has already been taken.',
+ 'url' => 'The :attribute format is invalid.',
+ 'uploaded' => 'The file could not be uploaded. The server may not accept files of this size.',
+
+ // Custom validation lines
+ 'custom' => [
+ 'password-confirm' => [
+ 'required_with' => 'Password confirmation required',
+ ],
+ ],
+
+ // Custom validation attributes
+ 'attributes' => [],
+];
'reset' => 'Réinitialiser',
'remove' => 'Enlever',
'add' => 'Ajouter',
+ 'fullscreen' => 'Fullscreen',
// Sort Options
'sort_options' => 'Options de tri',
'edit_profile' => 'Modifier le profil',
// Layout tabs
- 'tab_info' => 'Info',
+ 'tab_info' => 'Informations',
'tab_content' => 'Contenu',
// Email Content
'export_text' => 'Document texte',
// Permissions and restrictions
- 'permissions' => 'Permissions',
+ 'permissions' => 'Autorisations',
'permissions_intro' => 'Une fois activées ces permissions prendront la priorité sur tous les sets de permissions préexistants.',
'permissions_enable' => 'Activer les permissions personnalisées',
'permissions_save' => 'Enregistrer les permissions',
// Pages
'page' => 'Page',
'pages' => 'Pages',
- 'x_pages' => ':count Page|:count Pages',
+ 'x_pages' => ':count Page|:count pages',
'pages_popular' => 'Pages populaires',
'pages_new' => 'Nouvelle page',
'pages_attachments' => 'Fichiers joints',
'pages_delete_confirm' => 'Êtes-vous sûr(e) de vouloir supprimer cette page ?',
'pages_delete_draft_confirm' => 'Êtes-vous sûr(e) de vouloir supprimer ce brouillon ?',
'pages_editing_named' => 'Modification de la page :pageName',
- 'pages_edit_draft_options' => 'Draft Options',
+ 'pages_edit_draft_options' => 'Options du brouillon',
'pages_edit_save_draft' => 'Enregistrer le brouillon',
'pages_edit_draft' => 'Modifier le brouillon',
'pages_editing_draft' => 'Modification du brouillon',
'pages_revisions_created_by' => 'Créé par',
'pages_revisions_date' => 'Date de révision',
'pages_revisions_number' => '#',
- 'pages_revisions_numbered' => 'Revision #:id',
- 'pages_revisions_numbered_changes' => 'Revision #:id Changes',
+ 'pages_revisions_numbered' => 'Révision #:id',
+ 'pages_revisions_numbered_changes' => 'Modification #:id',
'pages_revisions_changelog' => 'Journal des changements',
'pages_revisions_changes' => 'Changements',
'pages_revisions_current' => 'Version courante',
'shelf_tags' => 'Mots-clés de l\'étagère',
'tag' => 'Mot-clé',
'tags' => 'Mots-clés',
- 'tag_name' => 'Tag Name',
+ 'tag_name' => 'Nom du tag',
'tag_value' => 'Valeur du mot-clé (Optionnel)',
'tags_explain' => "Ajouter des mots-clés pour catégoriser votre contenu.",
'tags_add' => 'Ajouter un autre mot-clé',
- 'tags_remove' => 'Remove this tag',
+ 'tags_remove' => 'Supprimer le tag',
'attachments' => 'Fichiers joints',
'attachments_explain' => 'Ajouter des fichiers ou des liens pour les afficher sur votre page. Ils seront affichés dans la barre latérale',
'attachments_explain_instant_save' => 'Ces changements sont enregistrés immédiatement.',
'attachments_link_attached' => 'Lien attaché à la page avec succès',
'templates' => 'Modèles',
'templates_set_as_template' => 'La page est un modèle',
- 'templates_explain_set_as_template' => 'You can set this page as a template so its contents be utilized when creating other pages. Other users will be able to use this template if they have view permissions for this page.',
+ 'templates_explain_set_as_template' => 'Vous pouvez définir cette page comme modèle pour que son contenu soit utilisé lors de la création d\'autres pages. Les autres utilisateurs pourront utiliser ce modèle s\'ils ont les permissions pour cette page.',
'templates_replace_content' => 'Remplacer le contenu de la page',
'templates_append_content' => 'Ajouter après le contenu de la page',
'templates_prepend_content' => 'Ajouter devant le contenu de la page',
'email_already_confirmed' => 'Cet e-mail a déjà été validé, vous pouvez vous connecter.',
'email_confirmation_invalid' => 'Cette confirmation est invalide. Veuillez essayer de vous inscrire à nouveau.',
'email_confirmation_expired' => 'Le jeton de confirmation est périmé. Un nouvel e-mail vous a été envoyé.',
+ 'email_confirmation_awaiting' => 'L\'adresse e-mail du compte utilisé doit être confirmée',
'ldap_fail_anonymous' => 'L\'accès LDAP anonyme n\'a pas abouti',
'ldap_fail_authed' => 'L\'accès LDAP n\'a pas abouti avec cet utilisateur et ce mot de passe',
'ldap_extension_not_installed' => 'L\'extension LDAP PHP n\'est pas installée',
'ldap_cannot_connect' => 'Impossible de se connecter au serveur LDAP, la connexion initiale a échoué',
+ 'saml_already_logged_in' => 'Déjà connecté',
+ 'saml_user_not_registered' => 'L\'utilisateur :name n\'est pas enregistré et l\'enregistrement automatique est désactivé',
+ 'saml_no_email_address' => 'Impossible de trouver une adresse e-mail, pour cet utilisateur, dans les données fournies par le système d\'authentification externe',
+ 'saml_invalid_response_id' => 'La requête du système d\'authentification externe n\'est pas reconnue par un processus démarré par cette application. Naviguer après une connexion peut causer ce problème.',
+ 'saml_fail_authed' => 'Connexion avec :system échoue, le système n\'a pas fourni l\'autorisation réussie',
'social_no_action_defined' => 'Pas d\'action définie',
'social_login_bad_response' => "Erreur pendant la tentative de connexion à :socialAccount : \n:error",
'social_account_in_use' => 'Ce compte :socialAccount est déjà utilisé. Essayez de vous connecter via :socialAccount.',
'app_down' => ':appName n\'est pas en service pour le moment',
'back_soon' => 'Nous serons bientôt de retour.',
+ // API errors
+ 'api_no_authorization_found' => 'Aucun jeton d\'autorisation trouvé pour la demande',
+ 'api_bad_authorization_format' => 'Un jeton d\'autorisation a été trouvé pour la requête, mais le format semble incorrect',
+ 'api_user_token_not_found' => 'Aucun jeton API correspondant n\'a été trouvé pour le jeton d\'autorisation fourni',
+ 'api_incorrect_token_secret' => 'Le secret fourni pour le jeton d\'API utilisé est incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => 'Le jeton d\'autorisation utilisé a expiré',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
'app_editor_desc' => 'Sélectionnez l\'éditeur qui sera utilisé pour modifier les pages.',
'app_custom_html' => 'HTML personnalisé dans l\'en-tête',
'app_custom_html_desc' => 'Le contenu inséré ici sera ajouté en bas de la balise <head> de toutes les pages. Vous pouvez l\'utiliser pour ajouter du CSS personnalisé ou un tracker analytique.',
- 'app_custom_html_disabled_notice' => 'Custom HTML head content is disabled on this settings page to ensure any breaking changes can be reverted.',
+ 'app_custom_html_disabled_notice' => 'Le contenu de la tête HTML personnalisée est désactivé sur cette page de paramètres pour garantir que les modifications les plus récentes peuvent être annulées.',
'app_logo' => 'Logo de l\'Application',
'app_logo_desc' => 'Cette image doit faire 43px de hauteur. <br>Les images plus larges seront réduites.',
'app_primary_color' => 'Couleur principale de l\'application',
'app_disable_comments_toggle' => 'Désactiver les commentaires',
'app_disable_comments_desc' => 'Désactive les commentaires sur toutes les pages de l\'application. Les commentaires existants ne sont pas affichés.',
+ // Color settings
+ 'content_colors' => 'Couleur du contenu',
+ 'content_colors_desc' => 'Définit les couleurs pour tous les éléments de la hiérarchie d\'organisation des pages. Choisir les couleurs avec une luminosité similaire aux couleurs par défaut est recommandé pour la lisibilité.',
+ 'bookshelf_color' => 'Couleur de l\'étagère',
+ 'book_color' => 'Couleur du livre',
+ 'chapter_color' => 'Couleur du chapitre',
+ 'page_color' => 'Couleur de la page',
+ 'page_draft_color' => 'Couleur du brouillon',
+
// Registration Settings
'reg_settings' => 'Préférence pour l\'inscription',
'reg_enable' => 'Activer l\'inscription',
'reg_enable_toggle' => 'Activer l\'inscription',
'reg_enable_desc' => 'Lorsque l\'inscription est activée, l\'utilisateur pourra s\'enregistrer en tant qu\'utilisateur de l\'application. Lors de l\'inscription, ils se voient attribuer un rôle par défaut.',
'reg_default_role' => 'Rôle par défaut lors de l\'inscription',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
'reg_email_confirmation' => 'Confirmation de l\'e-mail',
'reg_email_confirmation_toggle' => 'Obliger la confirmation par e-mail ?',
'reg_confirm_email_desc' => 'Si la restriction de domaine est activée, la confirmation sera automatiquement obligatoire et cette valeur sera ignorée.',
'maint_image_cleanup_warning' => ':count images potentiellement inutilisées trouvées. Etes-vous sûr de vouloir supprimer ces images ?',
'maint_image_cleanup_success' => ':count images potentiellement inutilisées trouvées et supprimées !',
'maint_image_cleanup_nothing_found' => 'Aucune image inutilisée trouvée, rien à supprimer !',
+ 'maint_send_test_email' => 'Envoyer un email de test',
+ 'maint_send_test_email_desc' => 'Ceci envoie un e-mail de test à votre adresse e-mail spécifiée dans votre profil.',
+ 'maint_send_test_email_run' => 'Envoyer un email de test',
+ 'maint_send_test_email_success' => 'Email envoyé à :address',
+ 'maint_send_test_email_mail_subject' => 'Email de test',
+ 'maint_send_test_email_mail_greeting' => 'La livraison d\'email semble fonctionner !',
+ 'maint_send_test_email_mail_text' => 'Félicitations ! Lorsque vous avez reçu cette notification par courriel, vos paramètres d\'email semblent être configurés correctement.',
// Role Settings
'roles' => 'Rôles',
'role_manage_roles' => 'Gérer les rôles et permissions',
'role_manage_entity_permissions' => 'Gérer les permissions sur les livres, chapitres et pages',
'role_manage_own_entity_permissions' => 'Gérer les permissions de ses propres livres, chapitres et pages',
- 'role_manage_page_templates' => 'Manage page templates',
+ 'role_manage_page_templates' => 'Gérer les modèles de page',
+ 'role_access_api' => 'Accès à l\'API du système',
'role_manage_settings' => 'Gérer les préférences de l\'application',
'role_asset' => 'Permissions des ressources',
'role_asset_desc' => 'Ces permissions contrôlent l\'accès par défaut des ressources dans le système. Les permissions dans les livres, les chapitres et les pages ignoreront ces permissions',
'users_role_desc' => 'Sélectionnez les rôles auxquels cet utilisateur sera affecté. Si un utilisateur est affecté à plusieurs rôles, les permissions de ces rôles s\'empileront et ils recevront toutes les capacités des rôles affectés.',
'users_password' => 'Mot de passe de l\'utilisateur',
'users_password_desc' => 'Définissez un mot de passe utilisé pour vous connecter à l\'application. Il doit comporter au moins 5 caractères.',
- 'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
- 'users_send_invite_option' => 'Send user invite email',
+ 'users_send_invite_text' => 'Vous pouvez choisir d\'envoyer à cet utilisateur un email d\'invitation qui lui permet de définir son propre mot de passe, sinon vous pouvez définir son mot de passe vous-même.',
+ 'users_send_invite_option' => 'Envoyer l\'e-mail d\'invitation',
'users_external_auth_id' => 'Identifiant d\'authentification externe',
- 'users_external_auth_id_desc' => 'Il s\'agit de l\'identifiant utilisé pour appairer cet utilisateur lors de la communication avec votre système LDAP.',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
'users_password_warning' => 'Remplissez ce formulaire uniquement si vous souhaitez changer de mot de passe:',
'users_system_public' => 'Cet utilisateur représente les invités visitant votre instance. Il est assigné automatiquement aux invités.',
'users_delete' => 'Supprimer un utilisateur',
'users_social_disconnect' => 'Déconnecter le compte',
'users_social_connected' => 'Votre compte :socialAccount a été ajouté avec succès.',
'users_social_disconnected' => 'Votre compte :socialAccount a été déconnecté avec succès',
+ 'users_api_tokens' => 'Jetons de l\'API',
+ 'users_api_tokens_none' => 'Aucun jeton API n\'a été créé pour cet utilisateur',
+ 'users_api_tokens_create' => 'Créer un jeton',
+ 'users_api_tokens_expires' => 'Expiré',
+ 'users_api_tokens_docs' => 'Documentation de l\'API',
+
+ // API Tokens
+ 'user_api_token_create' => 'Créer un nouveau jeton API',
+ 'user_api_token_name' => 'Nom',
+ 'user_api_token_name_desc' => 'Donnez à votre jeton un nom lisible pour l\'identifier plus tard.',
+ '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' => 'L\'API token a été créé avec succès',
+ 'user_api_token_update_success' => 'L\'API token a été mis à jour avec succès',
+ 'user_api_token' => 'Token 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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'Il s\'agit d\'un secret généré par le système pour ce jeton, qui devra être fourni dans les demandes d\'API. Cela ne sera affiché qu\'une seule fois, alors copiez cette valeur dans un endroit sûr et sécurisé.',
+ 'user_api_token_created' => 'Jeton créé :timeAgo',
+ 'user_api_token_updated' => 'Jeton mis à jour :timeAgo',
+ 'user_api_token_delete' => 'Supprimer le Token',
+ '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 l\'API Token ?',
+ 'user_api_token_delete_success' => 'L\'API token a été supprimé avec succès',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Danois',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
--- /dev/null
+<?php
+/**
+ * Activity text strings.
+ * Is used for all the text within activity logs & notifications.
+ */
+return [
+
+ // Pages
+ 'page_create' => 'created page',
+ 'page_create_notification' => 'הדף נוצר בהצלחה',
+ 'page_update' => 'updated page',
+ 'page_update_notification' => 'הדף עודכן בהצלחה',
+ 'page_delete' => 'deleted page',
+ 'page_delete_notification' => 'הדף הוסר בהצלחה',
+ 'page_restore' => 'restored page',
+ 'page_restore_notification' => 'הדף שוחזר בהצלחה',
+ 'page_move' => 'moved page',
+
+ // Chapters
+ 'chapter_create' => 'created chapter',
+ 'chapter_create_notification' => 'הפרק נוצר בהצלחה',
+ 'chapter_update' => 'updated chapter',
+ 'chapter_update_notification' => 'הפרק עודכן בהצלחה',
+ 'chapter_delete' => 'deleted chapter',
+ 'chapter_delete_notification' => 'הפרק הוסר בהצלחה',
+ 'chapter_move' => 'moved chapter',
+
+ // Books
+ 'book_create' => 'created book',
+ 'book_create_notification' => 'הספר נוצר בהצלחה',
+ 'book_update' => 'updated book',
+ 'book_update_notification' => 'הספר עודכן בהצלחה',
+ 'book_delete' => 'deleted book',
+ 'book_delete_notification' => 'הספר הוסר בהצלחה',
+ 'book_sort' => 'sorted book',
+ 'book_sort_notification' => 'הספר מוין מחדש בהצלחה',
+
+ // Bookshelves
+ 'bookshelf_create' => 'created Bookshelf',
+ 'bookshelf_create_notification' => 'מדף הספרים נוצר בהצלחה',
+ 'bookshelf_update' => 'updated bookshelf',
+ 'bookshelf_update_notification' => 'מדף הספרים עודכן בהצלחה',
+ 'bookshelf_delete' => 'deleted bookshelf',
+ 'bookshelf_delete_notification' => 'מדף הספרים הוסר בהצלחה',
+
+ // Other
+ 'commented_on' => 'commented on',
+];
--- /dev/null
+<?php
+/**
+ * Authentication Language Lines
+ * The following language lines are used during authentication for various
+ * messages that we need to display to the user.
+ */
+return [
+
+ 'failed' => 'פרטי ההתחברות אינם תואמים את הנתונים שלנו',
+ 'throttle' => 'נסיונות התחברות רבים מדי, יש להמתין :seconds שניות ולנסות שנית',
+
+ // Login & Register
+ 'sign_up' => 'הרשמה',
+ 'log_in' => 'התחבר',
+ 'log_in_with' => 'התחבר באמצעות :socialDriver',
+ 'sign_up_with' => 'הרשם באמצעות :socialDriver',
+ 'logout' => 'התנתק',
+
+ 'name' => 'שם',
+ 'username' => 'שם משתמש',
+ 'email' => 'אי-מייל',
+ 'password' => 'סיסמא',
+ 'password_confirm' => 'אימות סיסמא',
+ 'password_hint' => 'חייבת להיות יותר מ-5 תווים',
+ 'forgot_password' => 'שכחת סיסמא?',
+ 'remember_me' => 'זכור אותי',
+ 'ldap_email_hint' => 'אנא ציין כתובת אי-מייל לשימוש בחשבון זה',
+ 'create_account' => 'צור חשבון',
+ 'already_have_account' => 'יש לך כבר חשבון?',
+ 'dont_have_account' => 'אין לך חשבון?',
+ 'social_login' => 'התחברות באמצעות אתר חברתי',
+ 'social_registration' => 'הרשמה באמצעות אתר חברתי',
+ 'social_registration_text' => 'הרשם והתחבר באמצעות שירות אחר',
+
+ 'register_thanks' => 'תודה על הרשמתך!',
+ 'register_confirm' => 'יש לבדוק את תיבת המייל שלך ולאשר את ההרשמה על מנת להשתמש ב:appName',
+ 'registrations_disabled' => 'הרשמה כרגע מבוטלת',
+ 'registration_email_domain_invalid' => 'לא ניתן להרשם באמצעות המייל שסופק',
+ 'register_success' => 'תודה על הרשמתך! ניתן כעת להתחבר',
+
+
+ // Password Reset
+ 'reset_password' => 'איפוס סיסמא',
+ 'reset_password_send_instructions' => 'יש להזין את כתובת המייל למטה ואנו נשלח אלייך הוראות לאיפוס הסיסמא',
+ 'reset_password_send_button' => 'שלח קישור לאיפוס סיסמא',
+ 'reset_password_sent_success' => 'שלחנו הוראות לאיפוס הסיסמא אל :email',
+ 'reset_password_success' => 'סיסמתך עודכנה בהצלחה',
+ 'email_reset_subject' => 'איפוס סיסמא ב :appName',
+ 'email_reset_text' => 'קישור זה נשלח עקב בקשה לאיפוס סיסמא בחשבון שלך',
+ 'email_reset_not_requested' => 'אם לא ביקשת לאפס את סיסמתך, אפשר להתעלם ממייל זה',
+
+
+ // Email Confirmation
+ 'email_confirm_subject' => 'אמת אי-מייל ב :appName',
+ 'email_confirm_greeting' => 'תודה שהצטרפת אל :appName!',
+ 'email_confirm_text' => 'יש לאמת את כתובת המייל של על ידי לחיצה על הכפור למטה:',
+ 'email_confirm_action' => 'אמת כתובת אי-מייל',
+ 'email_confirm_send_error' => 'נדרש אימות אי-מייל אך שליחת האי-מייל אליך נכשלה. יש ליצור קשר עם מנהל המערכת כדי לוודא שאכן ניתן לשלוח מיילים.',
+ 'email_confirm_success' => 'האי-מייל שלך אושר!',
+ 'email_confirm_resent' => 'אימות נשלח לאי-מייל שלך, יש לבדוק בתיבת הדואר הנכנס',
+
+ 'email_not_confirmed' => 'כתובת המייל לא אומתה',
+ 'email_not_confirmed_text' => 'כתובת המייל שלך טרם אומתה',
+ 'email_not_confirmed_click_link' => 'יש ללחוץ על הקישור אשר נשלח אליך לאחר ההרשמה',
+ 'email_not_confirmed_resend' => 'אם אינך מוצא את המייל, ניתן לשלוח בשנית את האימות על ידי לחיצה על הכפתור למטה',
+ 'email_not_confirmed_resend_button' => 'שלח שוב מייל אימות',
+];
\ No newline at end of file
--- /dev/null
+<?php
+/**
+ * Common elements found throughout many areas of BookStack.
+ */
+return [
+
+ // Buttons
+ 'cancel' => 'ביטול',
+ 'confirm' => 'אישור',
+ 'back' => 'אחורה',
+ 'save' => 'שמור',
+ 'continue' => 'המשך',
+ 'select' => 'בחר',
+ 'toggle_all' => 'סמן הכל',
+ 'more' => 'עוד',
+
+ // Form Labels
+ 'name' => 'שם',
+ 'description' => 'תיאור',
+ 'role' => 'תפקיד',
+ 'cover_image' => 'תמונת נושא',
+ 'cover_image_description' => 'התמונה צריכה להיות בסביבות 440x250px',
+
+ // Actions
+ 'actions' => 'פעולות',
+ 'view' => 'הצג',
+ 'view_all' => 'הצג הכל',
+ 'create' => 'צור',
+ 'update' => 'עדכן',
+ 'edit' => 'ערוך',
+ 'sort' => 'מיין',
+ 'move' => 'הזז',
+ 'copy' => 'העתק',
+ 'reply' => 'השב',
+ 'delete' => 'מחק',
+ 'search' => 'חיפוש',
+ 'search_clear' => 'נקה חיפוש',
+ 'reset' => 'איפוס',
+ 'remove' => 'הסר',
+ 'add' => 'הוסף',
+
+ // Sort Options
+ 'sort_name' => 'שם',
+ 'sort_created_at' => 'תאריך יצירה',
+ 'sort_updated_at' => 'תאריך עדכון',
+
+ // Misc
+ 'deleted_user' => 'משתמש שנמחק',
+ 'no_activity' => 'אין פעילות להציג',
+ 'no_items' => 'אין פריטים זמינים',
+ 'back_to_top' => 'בחזרה ללמעלה',
+ 'toggle_details' => 'הצג/הסתר פרטים',
+ 'toggle_thumbnails' => 'הצג/הסתר תמונות',
+ 'details' => 'פרטים',
+ 'grid_view' => 'תצוגת רשת',
+ 'list_view' => 'תצוגת רשימה',
+ 'default' => 'ברירת מחדל',
+
+ // Header
+ 'view_profile' => 'הצג פרופיל',
+ 'edit_profile' => 'ערוך פרופיל',
+
+ // Layout tabs
+ 'tab_info' => 'מידע',
+ 'tab_content' => 'תוכן',
+
+ // Email Content
+ 'email_action_help' => 'אם לא ניתן ללחות על כפתור ״:actionText״, יש להעתיק ולהדביק את הכתובת למטה אל דפדפן האינטרנט שלך:',
+ 'email_rights' => 'כל הזכויות שמורות',
+];
--- /dev/null
+<?php
+/**
+ * Text used in custom JavaScript driven components.
+ */
+return [
+
+ // Image Manager
+ 'image_select' => 'בחירת תמונה',
+ 'image_all' => 'הכל',
+ 'image_all_title' => 'הצג את כל התמונות',
+ 'image_book_title' => 'הצג תמונות שהועלו לספר זה',
+ 'image_page_title' => 'הצג תמונות שהועלו לדף זה',
+ 'image_search_hint' => 'חפש תמונה לפי שם',
+ 'image_uploaded' => 'הועלה :uploadedDate',
+ 'image_load_more' => 'טען עוד',
+ 'image_image_name' => 'שם התמונה',
+ 'image_delete_used' => 'תמונה זו בשימוש בדפים שמתחת',
+ 'image_delete_confirm' => 'לחץ ״מחק״ שוב על מנת לאשר שברצונך למחוק תמונה זו',
+ 'image_select_image' => 'בחר תמונה',
+ 'image_dropzone' => 'גרור תמונות או לחץ כאן להעלאה',
+ 'images_deleted' => 'התמונות נמחקו',
+ 'image_preview' => 'תצוגה מקדימה',
+ 'image_upload_success' => 'התמונה עלתה בהצלחה',
+ 'image_update_success' => 'פרטי התמונה עודכנו בהצלחה',
+ 'image_delete_success' => 'התמונה נמחקה בהצלחה',
+ 'image_upload_remove' => 'מחק',
+
+ // Code Editor
+ 'code_editor' => 'ערוך קוד',
+ 'code_language' => 'שפת הקוד',
+ 'code_content' => 'תוכן הקוד',
+ 'code_save' => 'שמור קוד',
+];
--- /dev/null
+<?php
+/**
+ * Text used for 'Entities' (Document Structure Elements) such as
+ * Books, Shelves, Chapters & Pages
+ */
+return [
+
+ // Shared
+ 'recently_created' => 'נוצר לאחרונה',
+ 'recently_created_pages' => 'דפים שנוצרו לאחרונה',
+ 'recently_updated_pages' => 'דפים שעודכנו לאחרונה',
+ 'recently_created_chapters' => 'פרקים שנוצרו לאחרונה',
+ 'recently_created_books' => 'ספרים שנוצרו לאחרונה',
+ 'recently_created_shelves' => 'מדפים שנוצרו לאחרונה',
+ 'recently_update' => 'עודכן לאחרונה',
+ 'recently_viewed' => 'נצפה לאחרונה',
+ 'recent_activity' => 'פעילות לאחרונה',
+ 'create_now' => 'צור אחד כעת',
+ 'revisions' => 'עדכונים',
+ 'meta_revision' => 'עדכון #:revisionCount',
+ 'meta_created' => 'נוצר :timeLength',
+ 'meta_created_name' => 'נוצר :timeLength על ידי :user',
+ 'meta_updated' => 'עודכן :timeLength',
+ 'meta_updated_name' => 'עודכן :timeLength על ידי :user',
+ 'entity_select' => 'בחר יישות',
+ 'images' => 'תמונות',
+ 'my_recent_drafts' => 'הטיוטות האחרונות שלי',
+ 'my_recently_viewed' => 'הנצפים לאחרונה שלי',
+ 'no_pages_viewed' => 'לא צפית בדפים כלשהם',
+ 'no_pages_recently_created' => 'לא נוצרו דפים לאחרונה',
+ 'no_pages_recently_updated' => 'לא עודכנו דפים לאחרונה',
+ 'export' => 'ייצוא',
+ 'export_html' => 'דף אינטרנט',
+ 'export_pdf' => 'קובץ PDF',
+ 'export_text' => 'טקסט רגיל',
+
+ // Permissions and restrictions
+ 'permissions' => 'הרשאות',
+ 'permissions_intro' => 'ברגע שמסומן, הרשאות אלו יגברו על כל הרשאת תפקיד שקיימת',
+ 'permissions_enable' => 'הפעל הרשאות מותאמות אישית',
+ 'permissions_save' => 'שמור הרשאות',
+
+ // Search
+ 'search_results' => 'תוצאות חיפוש',
+ 'search_total_results_found' => ':count תוצאות נמצאו|:count סה״כ תוצאות',
+ 'search_clear' => 'נקה חיפוש',
+ 'search_no_pages' => 'לא נמצאו דפים התואמים לחיפוש',
+ 'search_for_term' => 'חפש את :term',
+ 'search_more' => 'תוצאות נוספות',
+ 'search_filters' => 'מסנני חיפוש',
+ 'search_content_type' => 'סוג התוכן',
+ 'search_exact_matches' => 'התאמות מדויקות',
+ 'search_tags' => 'חפש בתגים',
+ 'search_options' => 'אפשרויות',
+ 'search_viewed_by_me' => 'נצפו על ידי',
+ 'search_not_viewed_by_me' => 'שלא נצפו על ידי',
+ 'search_permissions_set' => 'סט הרשאות',
+ 'search_created_by_me' => 'שנוצרו על ידי',
+ 'search_updated_by_me' => 'שעודכנו על ידי',
+ 'search_date_options' => 'אפשרויות תאריך',
+ 'search_updated_before' => 'שעודכנו לפני',
+ 'search_updated_after' => 'שעודכנו לאחר',
+ 'search_created_before' => 'שנוצרו לפני',
+ 'search_created_after' => 'שנוצרו לאחר',
+ 'search_set_date' => 'הגדר תאריך',
+ 'search_update' => 'עדכן חיפוש',
+
+ // Shelves
+ 'shelf' => 'מדף',
+ 'shelves' => 'מדפים',
+ 'x_shelves' => ':count מדף|:count מדפים',
+ 'shelves_long' => 'מדפים',
+ 'shelves_empty' => 'לא נוצרו מדפים',
+ 'shelves_create' => 'צור מדף חדש',
+ 'shelves_popular' => 'מדפים פופולרים',
+ 'shelves_new' => 'מדפים חדשים',
+ 'shelves_new_action' => 'מדף חדש',
+ 'shelves_popular_empty' => 'המדפים הפופולריים ביותר יופיעו כאן',
+ 'shelves_new_empty' => 'המדפים שנוצרו לאחרונה יופיעו כאן',
+ 'shelves_save' => 'שמור מדף',
+ 'shelves_books' => 'ספרים במדף זה',
+ 'shelves_add_books' => 'הוסף ספרים למדף זה',
+ 'shelves_drag_books' => 'גרור ספרים לכאן על מנת להוסיף אותם למדף',
+ 'shelves_empty_contents' => 'במדף זה לא קיימים ספרים',
+ 'shelves_edit_and_assign' => 'עריכת מדף להוספת ספרים',
+ 'shelves_edit_named' => 'עריכת מדף :name',
+ 'shelves_edit' => 'ערוך מדף',
+ 'shelves_delete' => 'מחק מדף',
+ 'shelves_delete_named' => 'מחיקת דף :name',
+ 'shelves_delete_explain' => "פעולה זו תמחק את המדף :name - הספרים שמופיעים בו ימחקו גם כן!",
+ 'shelves_delete_confirmation' => 'האם ברצונך למחוק את המדף?',
+ 'shelves_permissions' => 'הרשאות מדף',
+ 'shelves_permissions_updated' => 'הרשאות מדף עודכנו',
+ 'shelves_permissions_active' => 'הרשאות מדף פעילות',
+ 'shelves_copy_permissions_to_books' => 'העתק הרשאות מדף אל הספרים',
+ 'shelves_copy_permissions' => 'העתק הרשאות',
+ 'shelves_copy_permissions_explain' => 'פעולה זו תעתיק את כל הרשאות המדף לכל הספרים המשוייכים למדף זה. לפני הביצוע, יש לוודא שכל הרשאות המדף אכן נשמרו.',
+ 'shelves_copy_permission_success' => 'הרשאות המדף הועתקו אל :count ספרים',
+
+ // Books
+ 'book' => 'ספר',
+ 'books' => 'ספרים',
+ 'x_books' => ':count ספר|:count ספרים',
+ 'books_empty' => 'לא נוצרו ספרים',
+ 'books_popular' => 'ספרים פופולריים',
+ 'books_recent' => 'ספרים אחרונים',
+ 'books_new' => 'ספרים חדשים',
+ 'books_new_action' => 'ספר חדש',
+ 'books_popular_empty' => 'הספרים הפופולריים יופיעו כאן',
+ 'books_new_empty' => 'הספרים שנוצרו לאחרונה יופיעו כאן',
+ 'books_create' => 'צור ספר חדש',
+ 'books_delete' => 'מחק ספר',
+ 'books_delete_named' => 'מחק ספר :bookName',
+ 'books_delete_explain' => 'פעולה זו תמחק את הספר :bookName, כל הדפים והפרקים ימחקו גם כן.',
+ 'books_delete_confirmation' => 'האם ברצונך למחוק את הספר הזה?',
+ 'books_edit' => 'ערוך ספר',
+ 'books_edit_named' => 'עריכת ספר :bookName',
+ 'books_form_book_name' => 'שם הספר',
+ 'books_save' => 'שמור ספר',
+ 'books_permissions' => 'הרשאות ספר',
+ 'books_permissions_updated' => 'הרשאות הספר עודכנו',
+ 'books_empty_contents' => 'לא נוצרו פרקים או דפים עבור ספר זה',
+ 'books_empty_create_page' => 'צור דף חדש',
+ 'books_empty_sort_current_book' => 'מיין את הספר הנוכחי',
+ 'books_empty_add_chapter' => 'הוסף פרק',
+ 'books_permissions_active' => 'הרשאות ספר פעילות',
+ 'books_search_this' => 'חפש בספר זה',
+ 'books_navigation' => 'ניווט בספר',
+ 'books_sort' => 'מיין את תוכן הספר',
+ 'books_sort_named' => 'מיין את הספר :bookName',
+ 'books_sort_name' => 'מיין לפי שם',
+ 'books_sort_created' => 'מיין לפי תאריך יצירה',
+ 'books_sort_updated' => 'מיין לפי תאריך עדכון',
+ 'books_sort_chapters_first' => 'פרקים בהתחלה',
+ 'books_sort_chapters_last' => 'פרקים בסוף',
+ 'books_sort_show_other' => 'הצג ספרים אחרונים',
+ 'books_sort_save' => 'שמור את הסדר החדש',
+
+ // Chapters
+ 'chapter' => 'פרק',
+ 'chapters' => 'פרקים',
+ 'x_chapters' => ':count פרק|:count פרקים',
+ 'chapters_popular' => 'פרקים פופולריים',
+ 'chapters_new' => 'פרק חדש',
+ 'chapters_create' => 'צור פרק חדש',
+ 'chapters_delete' => 'מחק פרק',
+ 'chapters_delete_named' => 'מחק את פרק :chapterName',
+ 'chapters_delete_explain' => 'פעולה זו תמחוק את הפרק בשם \':chapterName\'. כל הדפים יועברו אוטומטית לספר עצמו',
+ 'chapters_delete_confirm' => 'האם ברצונך למחוק פרק זה?',
+ 'chapters_edit' => 'ערוך פרק',
+ 'chapters_edit_named' => 'ערוך פרק :chapterName',
+ 'chapters_save' => 'שמור פרק',
+ 'chapters_move' => 'העבר פרק',
+ 'chapters_move_named' => 'העבר פרק :chapterName',
+ 'chapter_move_success' => 'הפרק הועבר אל :bookName',
+ 'chapters_permissions' => 'הרשאות פרק',
+ 'chapters_empty' => 'לא נמצאו דפים בפרק זה.',
+ 'chapters_permissions_active' => 'הרשאות פרק פעילות',
+ 'chapters_permissions_success' => 'הרשאות פרק עודכנו',
+ 'chapters_search_this' => 'חפש בפרק זה',
+
+ // Pages
+ 'page' => 'דף',
+ 'pages' => 'דפים',
+ 'x_pages' => ':count דף|:count דפים',
+ 'pages_popular' => 'דפים פופולריים',
+ 'pages_new' => 'דף חדש',
+ 'pages_attachments' => 'קבצים מצורפים',
+ 'pages_navigation' => 'ניווט בדף',
+ 'pages_delete' => 'מחק דף',
+ 'pages_delete_named' => 'מחק דף :pageName',
+ 'pages_delete_draft_named' => 'מחק טיוטת דף :pageName',
+ 'pages_delete_draft' => 'מחק טיוטת דף',
+ 'pages_delete_success' => 'הדף נמחק',
+ 'pages_delete_draft_success' => 'טיוטת דף נמחקה',
+ 'pages_delete_confirm' => 'האם ברצונך למחוק דף זה?',
+ 'pages_delete_draft_confirm' => 'האם ברצונך למחוק את טיוטת הדף הזה?',
+ 'pages_editing_named' => 'עריכת דף :pageName',
+ 'pages_edit_save_draft' => 'שמור טיוטה',
+ 'pages_edit_draft' => 'ערוך טיוטת דף',
+ 'pages_editing_draft' => 'עריכת טיוטה',
+ 'pages_editing_page' => 'עריכת דף',
+ 'pages_edit_draft_save_at' => 'טיוטה נשמרה ב ',
+ 'pages_edit_delete_draft' => 'מחק טיוטה',
+ 'pages_edit_discard_draft' => 'התעלם מהטיוטה',
+ 'pages_edit_set_changelog' => 'הגדר יומן שינויים',
+ 'pages_edit_enter_changelog_desc' => 'ציין תיאור קצר אודות השינויים שביצעת',
+ 'pages_edit_enter_changelog' => 'הכנס יומן שינויים',
+ 'pages_save' => 'שמור דף',
+ 'pages_title' => 'כותרת דף',
+ 'pages_name' => 'שם הדף',
+ 'pages_md_editor' => 'עורך',
+ 'pages_md_preview' => 'תצוגה מקדימה',
+ 'pages_md_insert_image' => 'הכנס תמונה',
+ 'pages_md_insert_link' => 'הכנס קישור ליישות',
+ 'pages_md_insert_drawing' => 'הכנס סרטוט',
+ 'pages_not_in_chapter' => 'דף אינו חלק מפרק',
+ 'pages_move' => 'העבר דף',
+ 'pages_move_success' => 'הדף הועבר אל ":parentName"',
+ 'pages_copy' => 'העתק דף',
+ 'pages_copy_desination' => 'העתק יעד',
+ 'pages_copy_success' => 'הדף הועתק בהצלחה',
+ 'pages_permissions' => 'הרשאות דף',
+ 'pages_permissions_success' => 'הרשאות הדף עודכנו',
+ 'pages_revision' => 'נוסח',
+ 'pages_revisions' => 'נוסחי דף',
+ 'pages_revisions_named' => 'נוסחי דף עבור :pageName',
+ 'pages_revision_named' => 'נוסח דף עבור :pageName',
+ 'pages_revisions_created_by' => 'נוצר על ידי',
+ 'pages_revisions_date' => 'תאריך נוסח',
+ 'pages_revisions_number' => '#',
+ 'pages_revisions_numbered' => 'נוסח #:id',
+ 'pages_revisions_numbered_changes' => 'שינויי נוסח #:id',
+ 'pages_revisions_changelog' => 'יומן שינויים',
+ 'pages_revisions_changes' => 'שינויים',
+ 'pages_revisions_current' => 'גירסא נוכחית',
+ 'pages_revisions_preview' => 'תצוגה מקדימה',
+ 'pages_revisions_restore' => 'שחזר',
+ 'pages_revisions_none' => 'לדף זה אין נוסחים',
+ 'pages_copy_link' => 'העתק קישור',
+ 'pages_edit_content_link' => 'ערוך תוכן',
+ 'pages_permissions_active' => 'הרשאות דף פעילות',
+ 'pages_initial_revision' => 'פרסום ראשוני',
+ 'pages_initial_name' => 'דף חדש',
+ 'pages_editing_draft_notification' => 'הינך עורך טיוטה אשר נשמרה לאחרונה ב :timeDiff',
+ 'pages_draft_edited_notification' => 'דף זה עודכן מאז, מומלץ להתעלם מהטיוטה הזו.',
+ 'pages_draft_edit_active' => [
+ 'start_a' => ':count משתמשים החלו לערוך דף זה',
+ 'start_b' => ':userName החל לערוך דף זה',
+ 'time_a' => 'מאז שהדף עודכן לאחרונה',
+ 'time_b' => 'ב :minCount דקות האחרונות',
+ 'message' => ':start :time. יש לשים לב לא לדרוס שינויים של משתמשים אחרים!',
+ ],
+ 'pages_draft_discarded' => 'הסקיצה נמחקה, העורך עודכן עם תוכן הדף העכשוי',
+ 'pages_specific' => 'דף ספציפי',
+
+ // Editor Sidebar
+ 'page_tags' => 'תגיות דף',
+ 'chapter_tags' => 'תגיות פרק',
+ 'book_tags' => 'תגיות ספר',
+ 'shelf_tags' => 'תגיות מדף',
+ 'tag' => 'תגית',
+ 'tags' => 'תגיות',
+ 'tag_value' => 'ערך התגית (אופציונאלי)',
+ 'tags_explain' => "הכנס תגיות על מנת לסדר את התוכן שלך. \n ניתן לציין ערך לתגית על מנת לבצע סידור יסודי יותר",
+ 'tags_add' => 'הוסף תגית נוספת',
+ 'attachments' => 'קבצים מצורפים',
+ 'attachments_explain' => 'צרף קבצים או קישורים על מנת להציגם בדף שלך. צירופים אלו יהיו זמינים בתפריט הצדדי של הדף',
+ 'attachments_explain_instant_save' => 'שינויים נשמרים באופן מיידי',
+ 'attachments_items' => 'פריטים שצורפו',
+ 'attachments_upload' => 'העלה קובץ',
+ 'attachments_link' => 'צרף קישור',
+ 'attachments_set_link' => 'הגדר קישור',
+ 'attachments_delete_confirm' => 'יש ללחוץ שוב על מחיקה על מנת לאשר את מחיקת הקובץ המצורף',
+ 'attachments_dropzone' => 'גרור לכאן קבצים או לחץ על מנת לצרף קבצים',
+ 'attachments_no_files' => 'לא הועלו קבצים',
+ 'attachments_explain_link' => 'ניתן לצרף קישור במקום העלאת קובץ, קישור זה יכול להוביל לדף אחר או לכל קובץ באינטרנט',
+ 'attachments_link_name' => 'שם הקישור',
+ 'attachment_link' => 'כתובת הקישור',
+ 'attachments_link_url' => 'קישור לקובץ',
+ 'attachments_link_url_hint' => 'כתובת האתר או הקובץ',
+ 'attach' => 'צרף',
+ 'attachments_edit_file' => 'ערוך קובץ',
+ 'attachments_edit_file_name' => 'שם הקובץ',
+ 'attachments_edit_drop_upload' => 'גרור קבצים או לחץ כאן על מנת להעלות קבצים במקום הקבצים הקיימים',
+ 'attachments_order_updated' => 'סדר הקבצים עודכן',
+ 'attachments_updated_success' => 'פרטי הקבצים עודכנו',
+ 'attachments_deleted' => 'קובץ מצורף הוסר',
+ 'attachments_file_uploaded' => 'הקובץ עלה בהצלחה',
+ 'attachments_file_updated' => 'הקובץ עודכן בהצלחה',
+ 'attachments_link_attached' => 'הקישור צורף לדף בהצלחה',
+
+ // Profile View
+ 'profile_user_for_x' => 'משתמש במערכת כ :time',
+ 'profile_created_content' => 'תוכן שנוצר',
+ 'profile_not_created_pages' => 'המשתמש :userName לא יצר דפים',
+ 'profile_not_created_chapters' => 'המשתמש :userName לא יצר פרקים',
+ 'profile_not_created_books' => 'המשתמש :userName לא יצר ספרים',
+ 'profile_not_created_shelves' => 'המשתמש :userName לא יצר מדפים',
+
+ // Comments
+ 'comment' => 'תגובה',
+ 'comments' => 'תגובות',
+ 'comment_add' => 'הוסף תגובה',
+ '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_deleted_success' => 'התגובה נמחקה',
+ 'comment_created_success' => 'התגובה נוספה',
+ 'comment_updated_success' => 'התגובה עודכנה',
+ 'comment_delete_confirm' => 'האם ברצונך למחוק תגובה זו?',
+ 'comment_in_reply_to' => 'בתגובה ל :commentId',
+
+ // Revision
+ 'revision_delete_confirm' => 'האם ברצונך למחוק נוסח זה?',
+ 'revision_restore_confirm' => 'האם ברצונך לשחזר נוסח זה? תוכן הדף הנוכחי יעודכן לנוסח זה.',
+ 'revision_delete_success' => 'נוסח נמחק',
+ 'revision_cannot_delete_latest' => 'לא ניתן למחוק את הנוסח האחרון'
+];
\ No newline at end of file
--- /dev/null
+<?php
+/**
+ * Text shown in error messaging.
+ */
+return [
+
+ // Permissions
+ 'permission' => 'אין לך הרשאות על מנת לצפות בדף המבוקש.',
+ 'permissionJson' => 'אין לך הרשאות על מנת לבצע את הפעולה המבוקשת.',
+
+ // Auth
+ 'error_user_exists_different_creds' => 'משתמש עם המייל :email כבר קיים אך עם פרטי הזדהות שונים',
+ 'email_already_confirmed' => 'המייל כבר אומת, אנא נסה להתחבר',
+ 'email_confirmation_invalid' => 'מפתח האימות אינו תקין או שכבר נעשה בו שימוש, אנא נסה להרשם שנית',
+ 'email_confirmation_expired' => 'מפתח האימות פג-תוקף, מייל אימות חדש נשלח שוב.',
+ 'ldap_fail_anonymous' => 'LDAP access failed using anonymous bind',
+ 'ldap_fail_authed' => 'LDAP access failed using given dn & password details',
+ 'ldap_extension_not_installed' => 'LDAP PHP extension not installed',
+ 'ldap_cannot_connect' => 'Cannot connect to ldap server, Initial connection failed',
+ 'social_no_action_defined' => 'לא הוגדרה פעולה',
+ 'social_login_bad_response' => "Error received during :socialAccount login: \n:error",
+ 'social_account_in_use' => 'החשבון :socialAccount כבר בשימוש. אנא נסה להתחבר באמצעות אפשרות :socialAccount',
+ 'social_account_email_in_use' => 'המייל :email כבר נמצא בשימוש. אם כבר יש ברשותך חשבון ניתן להתחבר באמצעות :socialAccount ממסך הגדרות הפרופיל שלך.',
+ 'social_account_existing' => 'ה - :socialAccount כבר מחובר לחשבון שלך.',
+ 'social_account_already_used_existing' => 'This :socialAccount account is already used by another user.',
+ 'social_account_not_used' => 'החשבון :socialAccount אינו מחובר למשתמש כלשהוא. אנא חבר אותו לחשבונך במסך הגדרות הפרופיל שלך.',
+ 'social_account_register_instructions' => 'אם אין ברשותך חשבון, תוכל להרשם באמצעות :socialAccount',
+ 'social_driver_not_found' => 'Social driver not found',
+ 'social_driver_not_configured' => 'הגדרות ה :socialAccount אינן מוגדרות כראוי',
+
+ // System
+ 'path_not_writable' => 'לא ניתן להעלות את :filePath אנא ודא שניתן לכתוב למיקום זה',
+ 'cannot_get_image_from_url' => 'לא ניתן לקבל תמונה מ :url',
+ 'cannot_create_thumbs' => 'The server cannot create thumbnails. Please check you have the GD PHP extension installed.',
+ 'server_upload_limit' => 'השרת אינו מרשה העלאת קבצים במשקל זה. אנא נסה להעלות קובץ קטן יותר.',
+ 'uploaded' => 'השרת אינו מרשה העלאת קבצים במשקל זה. אנא נסה להעלות קובץ קטן יותר.',
+ 'image_upload_error' => 'התרחשה שגיאה במהלך העלאת התמונה',
+ 'image_upload_type_error' => 'התמונה שהועלתה אינה תקינה',
+ 'file_upload_timeout' => 'The file upload has timed out.',
+
+ // Attachments
+ 'attachment_page_mismatch' => 'Page mismatch during attachment update',
+ 'attachment_not_found' => 'קובץ מצורף לא נמצא',
+
+ // Pages
+ 'page_draft_autosave_fail' => 'שגיאה בשמירת הטיוטה. אנא ודא כי חיבור האינטרנט תקין לפני שמירת דף זה.',
+ 'page_custom_home_deletion' => 'לא ניתן למחוק דף אשר מוגדר כדף הבית',
+
+ // Entities
+ 'entity_not_found' => 'פריט לא נמצא',
+ 'bookshelf_not_found' => 'מדף הספרים לא נמצא',
+ 'book_not_found' => 'ספר לא נמצא',
+ 'page_not_found' => 'דף לא נמצא',
+ 'chapter_not_found' => 'פרק לא נמצא',
+ 'selected_book_not_found' => 'הספר שנבחר לא נמצא',
+ 'selected_book_chapter_not_found' => 'הפרק או הספר שנבחר לא נמצאו',
+ 'guests_cannot_save_drafts' => 'אורחים אינם יכולים לשמור סקיצות',
+
+ // Users
+ 'users_cannot_delete_only_admin' => 'אינך יכול למחוק את המנהל היחיד',
+ 'users_cannot_delete_guest' => 'אינך יכול למחוק את משתמש האורח',
+
+ // Roles
+ 'role_cannot_be_edited' => 'לא ניתן לערוך תפקיד זה',
+ 'role_system_cannot_be_deleted' => 'תפקיד זה הינו תפקיד מערכת ולא ניתן למחיקה',
+ 'role_registration_default_cannot_delete' => 'לא ניתן למחוק תפקיד זה מכיוון שהוא מוגדר כתפקיד ברירת המחדל בעת הרשמה',
+ 'role_cannot_remove_only_admin' => 'משתמש זה הינו המשתמש היחיד המשוייך לפקיד המנהל. נסה לשייך את תפקיד המנהל למשתמש נוסף לפני הסרה כאן',
+
+ // Comments
+ 'comment_list' => 'התרחשה שגיאה בעת שליפת התגובות',
+ 'cannot_add_comment_to_draft' => 'אינך יכול להוסיף תגובות לסקיצה זו',
+ 'comment_add' => 'התרחשה שגיאה בעת הוספה / עדכון התגובה',
+ 'comment_delete' => 'התרחשה שגיאה בעת מחיקת התגובה',
+ 'empty_comment' => 'לא ניתן להוסיף תגובה ריקה',
+
+ // Error pages
+ '404_page_not_found' => 'דף לא קיים',
+ 'sorry_page_not_found' => 'מצטערים, הדף שחיפשת אינו קיים',
+ 'return_home' => 'בחזרה לדף הבית',
+ 'error_occurred' => 'התרחשה שגיאה',
+ 'app_down' => ':appName כרגע אינו זמין',
+ 'back_soon' => 'מקווים שיחזור במהרה',
+
+];
--- /dev/null
+<?php
+/**
+ * Pagination Language Lines
+ * The following language lines are used by the paginator library to build
+ * the simple pagination links.
+ */
+return [
+
+ 'previous' => '« הקודם',
+ 'next' => 'הבא »',
+
+];
--- /dev/null
+<?php
+/**
+ * Password Reminder Language Lines
+ * The following language lines are the default lines which match reasons
+ * that are given by the password broker for a password update attempt has failed.
+ */
+return [
+
+ 'password' => 'הסיסמא חייבת להיות בעלת 6 תווים ולהתאים לאימות',
+ 'user' => "לא ניתן למצוא משתמש עם המייל שסופק",
+ 'token' => 'איפוס הסיסמא אינו תקין',
+ 'sent' => 'נשלח אליך אי-מייל עם קישור לאיפוס הסיסמא',
+ 'reset' => 'איפוס הסיסמא הושלם בהצלחה!',
+
+];
--- /dev/null
+<?php
+/**
+ * Settings text strings
+ * Contains all text strings used in the general settings sections of BookStack
+ * including users and roles.
+ */
+return [
+
+ // Common Messages
+ 'settings' => 'הגדרות',
+ 'settings_save' => 'שמור הגדרות',
+ 'settings_save_success' => 'ההגדרות נשמרו',
+
+ // App Settings
+ 'app_customization' => 'התאמה אישית',
+ 'app_features_security' => 'מאפיינים ואבטחה',
+ 'app_name' => 'שם היישום',
+ 'app_name_desc' => 'השם הזה יופיע בכותרת ובכל אי-מייל הנשלח מהמערכת',
+ 'app_name_header' => 'הצג שם בחלק העליון',
+ 'app_public_access' => 'גישה ציבורית',
+ 'app_public_access_desc' => 'הפעלת אפשרות זו תאפשר למשתמשים אשר אינם רשומים לגשת לתוכן שלך',
+ 'app_public_access_desc_guest' => 'הגדרות הרשאה למשתמשים ציבוריים ניתנות לשינוי דרך משתמש מסוג ״אורח״',
+ 'app_public_access_toggle' => 'אפשר גישה ציבורית',
+ 'app_public_viewing' => 'לאפשר גישה ציבורית?',
+ 'app_secure_images' => 'העלאת תמונות מאובטחת',
+ 'app_secure_images_toggle' => 'אפשר העלאת תמונות מאובטחת',
+ 'app_secure_images_desc' => 'משיקולי ביצועים, כל התמונות הינן ציבוריות. אפשרות זו מוסיפה מחרוזת אקראית שקשה לנחש לכל כתובת של תמונה. אנא ודא שאפשרות הצגת תוכן התיקייה מבוטל.',
+ 'app_editor' => 'עורך הדפים',
+ 'app_editor_desc' => 'בחר באמצעות איזה עורך תתבצע עריכת הדפים',
+ 'app_custom_html' => 'HTML מותאם אישית לחלק העליון',
+ 'app_custom_html_desc' => 'כל קוד שיתווסף כאן, יופיע בתחתית תגית ה head של כל דף. חלק זה שימושי על מנת להגדיר עיצובי CSS והתקנת קוד Analytics',
+ 'app_custom_html_disabled_notice' => 'קוד HTML מותאם מבוטל בדף ההגדרות על מנת לוודא ששינויים שגורמים לבעיה יוכלו להיות מבוטלים לאחר מכן',
+ 'app_logo' => 'לוגו היישום',
+ 'app_logo_desc' => 'תמונה זו צריכה להיות בגובה 43 פיקסלים. תמונות גדולות יותר יוקטנו.',
+ 'app_primary_color' => 'צבע עיקרי ליישום',
+ 'app_primary_color_desc' => 'ערך זה צריך להיות מסוג hex. <br> יש להשאיר ריק לשימוש בצבע ברירת המחדל',
+ 'app_homepage' => 'דף הבית של היישום',
+ 'app_homepage_desc' => 'אנא בחר דף להצגה בדף הבית במקום דף ברירת המחדל. הרשאות הדף לא יחולו בדפים הנבחרים.',
+ 'app_homepage_select' => 'בחר דף',
+ 'app_disable_comments' => 'ביטול תגובות',
+ 'app_disable_comments_toggle' => 'בטל תגובות',
+ 'app_disable_comments_desc' => 'מבטל את התגובות לאורך כל היישום, תגובות קיימות לא יוצגו.',
+
+ // Registration Settings
+ 'reg_settings' => 'הרשמה',
+ 'reg_enable' => 'אפשר הרשמה',
+ 'reg_enable_toggle' => 'אפשר להרשם',
+ 'reg_enable_desc' => 'כאשר אפשר להרשם משתמשים יוכלו להכנס באופן עצמאי. בעת ההרשמה המשתמש יקבל הרשאה יחידה כברירת מחדל.',
+ 'reg_default_role' => 'הרשאה כברירת מחדל',
+ 'reg_email_confirmation' => 'אימות כתובת אי-מייל',
+ 'reg_email_confirmation_toggle' => 'יש לאמת את כתובת המייל',
+ 'reg_confirm_email_desc' => 'אם מופעלת הגבלה לדומיין ספציפי אז אימות המייל לא יבוצע',
+ 'reg_confirm_restrict_domain' => 'הגבלה לדומיין ספציפי',
+ 'reg_confirm_restrict_domain_desc' => 'הכנס דומיינים מופרדים בפסיק אשר עבורם תוגבל ההרשמה. משתמשים יקבלו אי-מייל על מנת לאמת את כתובת המייל שלהם. <br> לתשומת לבך: משתמש יוכל לשנות את כתובת המייל שלו לאחר ההרשמה',
+ 'reg_confirm_restrict_domain_placeholder' => 'אין הגבלה לדומיין',
+
+ // Maintenance settings
+ 'maint' => 'תחזוקה',
+ 'maint_image_cleanup' => 'ניקוי תמונות',
+ 'maint_image_cleanup_desc' => "סורק את הדפים והגרסאות על מנת למצוא אילו תמונות לא בשימוש. יש לוודא גיבוי מלא של מסד הנתונים והתמונות לפני הרצה",
+ 'maint_image_cleanup_ignore_revisions' => 'התעלם מהתמונות בגרסאות',
+ 'maint_image_cleanup_run' => 'הפעל ניקוי תמונות',
+ 'maint_image_cleanup_warning' => 'נמצאו כ :count תמונות אשר לא בשימוש האם ברצונך להמשיך?',
+ 'maint_image_cleanup_success' => ':count תמונות שלא בשימוש נמחקו',
+ 'maint_image_cleanup_nothing_found' => 'לא נמצאו תמונות אשר לא בשימוש, לא נמחקו קבצים כלל.',
+
+ // Role Settings
+ 'roles' => 'תפקידים',
+ 'role_user_roles' => 'תפקידי משתמשים',
+ 'role_create' => 'צור תפקיד משתמש חדש',
+ 'role_create_success' => 'התפקיד נוצר בהצלחה',
+ 'role_delete' => 'מחק תפקיד',
+ 'role_delete_confirm' => 'פעולה זו תמחק את התפקיד: :roleName',
+ 'role_delete_users_assigned' => 'לתפקיד :userCount יש משתמשים אשר משויכים אליו. אם ברצונך להעבירם לתפקיד אחר אנא בחר תפקיד מלמטה',
+ 'role_delete_no_migration' => "אל תעביר משתמשים לתפקיד",
+ 'role_delete_sure' => 'האם אתה בטוח שברצונך למחוק את התפקיד?',
+ 'role_delete_success' => 'התפקיד נמחק בהצלחה',
+ 'role_edit' => 'ערוך תפקיד',
+ 'role_details' => 'פרטי תפקיד',
+ 'role_name' => 'שם התפקיד',
+ 'role_desc' => 'תיאור קצר של התפקיד',
+ 'role_external_auth_id' => 'External Authentication IDs',
+ 'role_system' => 'הרשאות מערכת',
+ 'role_manage_users' => 'ניהול משתמשים',
+ 'role_manage_roles' => 'ניהול תפקידים והרשאות תפקידים',
+ 'role_manage_entity_permissions' => 'נהל הרשאות ספרים, פרקים ודפים',
+ 'role_manage_own_entity_permissions' => 'נהל הרשאות על ספרים, פרקים ודפים בבעלותך',
+ 'role_manage_settings' => 'ניהול הגדרות יישום',
+ 'role_asset' => 'הרשאות משאבים',
+ 'role_asset_desc' => 'הרשאות אלו שולטות בגישת ברירת המחדל למשאבים בתוך המערכת. הרשאות של ספרים, פרקים ודפים יגברו על הרשאות אלו.',
+ 'role_asset_admins' => 'מנהלים מקבלים הרשאה מלאה לכל התוכן אך אפשרויות אלו עלולות להציג או להסתיר אפשרויות בממשק',
+ 'role_all' => 'הכל',
+ 'role_own' => 'שלי',
+ 'role_controlled_by_asset' => 'נשלטים על ידי המשאב אליו הועלו',
+ 'role_save' => 'שמור תפקיד',
+ 'role_update_success' => 'התפקיד עודכן בהצלחה',
+ 'role_users' => 'משתמשים משוייכים לתפקיד זה',
+ 'role_users_none' => 'אין משתמשים המשוייכים לתפקיד זה',
+
+ // Users
+ 'users' => 'משתמשים',
+ 'user_profile' => 'פרופיל משתמש',
+ 'users_add_new' => 'הוסף משתמש חדש',
+ 'users_search' => 'חפש משתמשים',
+ 'users_details' => 'פרטי משתמש',
+ 'users_details_desc' => 'הגדר שם לתצוגה ומייל עבור משתמש זה. כתובת המייל תשמש על מנת להתחבר למערכת',
+ 'users_details_desc_no_email' => 'הגדר שם לתצוגה כדי שאחרים יוכלו לזהות',
+ 'users_role' => 'תפקידי משתמשים',
+ 'users_role_desc' => 'בחר אילו תפקידים ישויכו למשתמש זה. אם המשתמש משוייך למספר תפקידים, ההרשאות יהיו כלל ההרשאות של כל התפקידים',
+ 'users_password' => 'סיסמא',
+ 'users_password_desc' => 'הגדר סיסמא עבור גישה למערכת. על הסיסמא להיות באורך של 5 תווים לפחות',
+ 'users_external_auth_id' => 'זיהוי חיצוני - ID',
+ 'users_external_auth_id_desc' => 'זיהוי זה יהיה בשימוש מול מערכת ה LDAP שלך',
+ 'users_password_warning' => 'יש למלא רק אם ברצונך לשנות את הסיסמא.',
+ 'users_system_public' => 'משתמש זה מייצג את כל האורחים שלא מזוהים אשר משתמשים במערכת. לא ניתן להתחבר למשתמש זה אך הוא מוגדר כברירת מחדל',
+ 'users_delete' => 'מחק משתמש',
+ 'users_delete_named' => 'מחק משתמש :userName',
+ 'users_delete_warning' => 'פעולה זו תמחק את המשתמש \':userName\' מהמערכת',
+ 'users_delete_confirm' => 'האם ברצונך למחוק משתמש זה?',
+ 'users_delete_success' => 'המשתמש נמחק בהצלחה',
+ 'users_edit' => 'עריכת משתמש',
+ 'users_edit_profile' => 'עריכת פרופיל',
+ 'users_edit_success' => 'המשתמש עודכן בהצלחה',
+ 'users_avatar' => 'תמונת משתמש',
+ 'users_avatar_desc' => 'בחר תמונה אשר תייצג את המשתמש. על התמונה להיות ריבוע של 256px',
+ 'users_preferred_language' => 'שפה מועדפת',
+ 'users_preferred_language_desc' => 'אפשרות זו תשנע את השפה אשר מוצגת בממשק המערכת. פעולה זו לא תשנה את התוכן אשר נכתב על ידי המשתמשים.',
+ 'users_social_accounts' => 'רשתות חברתיות',
+ 'users_social_accounts_info' => 'כן ניתן לשייך חשבונות אחרים שלך לחיבור וזיהוי קל ומהיר. ניתוק חשבון אינו מנתק גישה קיימת למערכת. לביצוע ניתוק יש לשנות את ההגדרה בהגדרות של חשבון הרשת החברתית',
+ 'users_social_connect' => 'חיבור החשבון',
+ 'users_social_disconnect' => 'ניתוק חשבון',
+ 'users_social_connected' => 'חשבון :socialAccount חובר בהצלחה לחשבון שלך',
+ 'users_social_disconnected' => ':socialAccount נותק בהצלחה מהחשבון שלך',
+];
--- /dev/null
+<?php
+/**
+ * Validation Lines
+ * The following language lines contain the default error messages used by
+ * the validator class. Some of these rules have multiple versions such
+ * as the size rules. Feel free to tweak each of these messages here.
+ */
+return [
+
+ // Standard laravel validation lines
+ 'accepted' => 'שדה :attribute חייב להיות מסומן.',
+ 'active_url' => 'שדה :attribute הוא לא כתובת אתר תקנית.',
+ 'after' => 'שדה :attribute חייב להיות תאריך אחרי :date.',
+ 'alpha' => 'שדה :attribute יכול להכיל אותיות בלבד.',
+ 'alpha_dash' => 'שדה :attribute יכול להכיל אותיות, מספרים ומקפים בלבד.',
+ 'alpha_num' => 'שדה :attribute יכול להכיל אותיות ומספרים בלבד.',
+ 'array' => 'שדה :attribute חייב להיות מערך.',
+ 'before' => 'שדה :attribute חייב להיות תאריך לפני :date.',
+ 'between' => [
+ 'numeric' => 'שדה :attribute חייב להיות בין :min ל-:max.',
+ 'file' => 'שדה :attribute חייב להיות בין :min ל-:max קילובייטים.',
+ 'string' => 'שדה :attribute חייב להיות בין :min ל-:max תווים.',
+ 'array' => 'שדה :attribute חייב להיות בין :min ל-:max פריטים.',
+ ],
+ 'boolean' => 'שדה :attribute חייב להיות אמת או שקר.',
+ 'confirmed' => 'שדה האישור של :attribute לא תואם.',
+ 'date' => 'שדה :attribute אינו תאריך תקני.',
+ 'date_format' => 'שדה :attribute לא תואם את הפורמט :format.',
+ 'different' => 'שדה :attribute ושדה :other חייבים להיות שונים.',
+ 'digits' => 'שדה :attribute חייב להיות בעל :digits ספרות.',
+ 'digits_between' => 'שדה :attribute חייב להיות בין :min ו-:max ספרות.',
+ 'email' => 'שדה :attribute חייב להיות כתובת אימייל תקנית.',
+ 'filled' => 'שדה :attribute הוא חובה.',
+ 'exists' => 'בחירת ה-:attribute אינה תקפה.',
+ 'image' => 'שדה :attribute חייב להיות תמונה.',
+ 'image_extension' => 'שדה :attribute חייב להיות מסוג תמונה נתמך',
+ 'in' => 'בחירת ה-:attribute אינה תקפה.',
+ 'integer' => 'שדה :attribute חייב להיות מספר שלם.',
+ 'ip' => 'שדה :attribute חייב להיות כתובת IP תקנית.',
+ 'max' => [
+ 'numeric' => 'שדה :attribute אינו יכול להיות גדול מ-:max.',
+ 'file' => 'שדה :attribute לא יכול להיות גדול מ-:max קילובייטים.',
+ 'string' => 'שדה :attribute לא יכול להיות גדול מ-:max characters.',
+ 'array' => 'שדה :attribute לא יכול להכיל יותר מ-:max פריטים.',
+ ],
+ 'mimes' => 'שדה :attribute צריך להיות קובץ מסוג: :values.',
+ 'min' => [
+ 'numeric' => 'שדה :attribute חייב להיות לפחות :min.',
+ 'file' => 'שדה :attribute חייב להיות לפחות :min קילובייטים.',
+ 'string' => 'שדה :attribute חייב להיות לפחות :min תווים.',
+ 'array' => 'שדה :attribute חייב להיות לפחות :min פריטים.',
+ ],
+ 'no_double_extension' => 'השדה :attribute חייב להיות בעל סיומת קובץ אחת בלבד.',
+ 'not_in' => 'בחירת ה-:attribute אינה תקפה.',
+ 'numeric' => 'שדה :attribute חייב להיות מספר.',
+ 'regex' => 'שדה :attribute בעל פורמט שאינו תקין.',
+ 'required' => 'שדה :attribute הוא חובה.',
+ 'required_if' => 'שדה :attribute נחוץ כאשר :other הוא :value.',
+ 'required_with' => 'שדה :attribute נחוץ כאשר :values נמצא.',
+ 'required_with_all' => 'שדה :attribute נחוץ כאשר :values נמצא.',
+ 'required_without' => 'שדה :attribute נחוץ כאשר :values לא בנמצא.',
+ 'required_without_all' => 'שדה :attribute נחוץ כאשר אף אחד מ-:values נמצאים.',
+ 'same' => 'שדה :attribute ו-:other חייבים להיות זהים.',
+ 'size' => [
+ 'numeric' => 'שדה :attribute חייב להיות :size.',
+ 'file' => 'שדה :attribute חייב להיות :size קילובייטים.',
+ 'string' => 'שדה :attribute חייב להיות :size תווים.',
+ 'array' => 'שדה :attribute חייב להכיל :size פריטים.',
+ ],
+ 'string' => 'שדה :attribute חייב להיות מחרוזת.',
+ 'timezone' => 'שדה :attribute חייב להיות איזור תקני.',
+ 'unique' => 'שדה :attribute כבר תפוס.',
+ 'url' => 'שדה :attribute בעל פורמט שאינו תקין.',
+ 'uploaded' => 'שדה :attribute ארעה שגיאה בעת ההעלאה.',
+
+ // Custom validation lines
+ 'custom' => [
+ 'password-confirm' => [
+ 'required_with' => 'נדרש אימות סיסמא',
+ ],
+ ],
+
+ // Custom validation attributes
+ 'attributes' => [],
+];
'email_not_confirmed_resend_button' => 'Megerősítő email újraküldése',
// User Invite
- 'user_invite_email_subject' => 'You have been invited to join :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_action' => 'Set Account Password',
- '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_success' => 'Password set, you now have access to :appName!'
+ 'user_invite_email_subject' => 'Ez egy meghívó :appName weboldalhoz!',
+ 'user_invite_email_greeting' => 'Létre lett hozva egy fiók az :appName weboldalon.',
+ 'user_invite_email_text' => 'Jelszó beállításához és hozzáféréshez a lenti gombra kell kattintani:',
+ 'user_invite_email_action' => 'Fiók jelszó beállítása',
+ 'user_invite_page_welcome' => ':appName üdvözöl!',
+ 'user_invite_page_text' => 'A fiók véglegesítéséhez és a hozzáféréshez be kell állítani egy jelszót ami :appName weboldalon lesz használva a bejelentkezéshez.',
+ 'user_invite_page_confirm_button' => 'Jelszó megerősítése',
+ 'user_invite_success' => 'Jelszó beállítva, :appName most már elérhető!'
];
\ No newline at end of file
'reset' => 'Visszaállítás',
'remove' => 'Eltávolítás',
'add' => 'Hozzáadás',
+ 'fullscreen' => 'Teljes képernyő',
// Sort Options
- 'sort_options' => 'Sort Options',
- 'sort_direction_toggle' => 'Sort Direction Toggle',
- 'sort_ascending' => 'Sort Ascending',
- 'sort_descending' => 'Sort Descending',
+ 'sort_options' => 'Rendezési beállítások',
+ 'sort_direction_toggle' => 'Rendezési irány váltása',
+ 'sort_ascending' => 'Növekvő sorrend',
+ 'sort_descending' => 'Csökkenő sorrend',
'sort_name' => 'Név',
'sort_created_at' => 'Létrehozás dátuma',
'sort_updated_at' => 'Frissítés dátuma',
'grid_view' => 'Rács nézet',
'list_view' => 'Lista nézet',
'default' => 'Alapértelmezés szerinti',
- 'breadcrumb' => 'Breadcrumb',
+ 'breadcrumb' => 'Morzsa',
// Header
- 'profile_menu' => 'Profile Menu',
+ 'profile_menu' => 'Profil menü',
'view_profile' => 'Profil megtekintése',
'edit_profile' => 'Profil szerkesztése',
// Pages
'page' => 'Oldal',
'pages' => 'Oldalak',
- 'x_pages' => ':count oldal|:count oldalak',
+ 'x_pages' => ':count oldal|:count oldal',
'pages_popular' => 'Népszerű oldalak',
'pages_new' => 'Új oldal',
'pages_attachments' => 'Csatolmányok',
'pages_delete_confirm' => 'Biztosan törölhető ez az oldal?',
'pages_delete_draft_confirm' => 'Biztosan törölhető ez a vázlatoldal?',
'pages_editing_named' => ':pageName oldal szerkesztése',
- 'pages_edit_draft_options' => 'Draft Options',
+ 'pages_edit_draft_options' => 'Vázlatbeállítások',
'pages_edit_save_draft' => 'Vázlat mentése',
'pages_edit_draft' => 'Oldal vázlat szerkesztése',
'pages_editing_draft' => 'Vázlat szerkesztése',
],
'pages_draft_discarded' => 'Vázlat elvetve, a szerkesztő frissítve lesz az oldal aktuális tartalmával',
'pages_specific' => 'Egy bizonyos oldal',
- 'pages_is_template' => 'Page Template',
+ 'pages_is_template' => 'Oldalsablon',
// Editor Sidebar
'page_tags' => 'Oldal címkék',
'shelf_tags' => 'Polc címkék',
'tag' => 'Címke',
'tags' => 'Címkék',
- 'tag_name' => 'Tag Name',
+ 'tag_name' => 'Címkenév',
'tag_value' => 'Címke érték (nem kötelező)',
'tags_explain' => "Címkék hozzáadása a tartalom jobb kategorizálásához.\nA mélyebb szervezettség megvalósításához hozzá lehet rendelni egy értéket a címkéhez.",
'tags_add' => 'Másik címke hozzáadása',
- 'tags_remove' => 'Remove this tag',
+ 'tags_remove' => 'Címke eltávolítása',
'attachments' => 'Csatolmányok',
'attachments_explain' => 'Az oldalon megjelenő fájlok feltöltése vagy hivatkozások csatolása. Az oldal oldalsávjában fognak megjelenni.',
'attachments_explain_instant_save' => 'Az itt történt módosítások azonnal el lesznek mentve.',
'attachments_file_uploaded' => 'Fájl sikeresen feltöltve',
'attachments_file_updated' => 'Fájl sikeresen frissítve',
'attachments_link_attached' => 'Hivatkozás sikeresen hozzácsatolva az oldalhoz',
- 'templates' => 'Templates',
- 'templates_set_as_template' => 'Page is a template',
- 'templates_explain_set_as_template' => 'You can set this page as a template so its contents be utilized when creating other pages. Other users will be able to use this template if they have view permissions for this page.',
- 'templates_replace_content' => 'Replace page content',
- 'templates_append_content' => 'Append to page content',
- 'templates_prepend_content' => 'Prepend to page content',
+ 'templates' => 'Sablonok',
+ 'templates_set_as_template' => 'Az oldal egy sablon',
+ 'templates_explain_set_as_template' => 'Ez az oldal sablonnak lett beállítva, így a tartalma felhasználható más oldalak létrehozásakor. Más felhasználók is használhatják ezt a sablont ha megtekintési jogosultságuk van ehhez az oldalhoz.',
+ 'templates_replace_content' => 'Oldal tartalmának cseréje',
+ 'templates_append_content' => 'Hozzáfűzés az oldal tartalmához',
+ 'templates_prepend_content' => 'Hozzáadás az oldal tartalmának elejéhez',
// Profile View
'profile_user_for_x' => 'Felhasználó ez óta: :time',
'email_already_confirmed' => 'Az email cím már meg van erősítve, meg lehet próbálni a bejelentkezést.',
'email_confirmation_invalid' => 'A megerősítő vezérjel nem érvényes vagy használva volt. Meg kell próbálni újraregisztrálni.',
'email_confirmation_expired' => 'A megerősítő vezérjel lejárt. Egy új megerősítő email lett elküldve.',
+ 'email_confirmation_awaiting' => 'A használatban lévő fiók email címét meg kell erősíteni',
'ldap_fail_anonymous' => 'Nem sikerült az LDAP elérése névtelen csatlakozással',
'ldap_fail_authed' => 'Az LDAP hozzáférés nem sikerült a megadott DN és jelszó beállításokkal',
'ldap_extension_not_installed' => 'LDAP PHP kiterjesztés nincs telepítve',
'ldap_cannot_connect' => 'Nem lehet kapcsolódni az LDAP kiszolgálóhoz, a kezdeti kapcsolatfelvétel nem sikerült',
+ 'saml_already_logged_in' => 'Már bejelentkezett',
+ 'saml_user_not_registered' => ':name felhasználó nincs regisztrálva és az automatikus regisztráció le van tiltva',
+ 'saml_no_email_address' => 'Ehhez a felhasználóhoz nem található email cím a külső hitelesítő rendszer által átadott adatokban',
+ 'saml_invalid_response_id' => 'A külső hitelesítő rendszerből érkező kérést nem ismerte fel az alkalmazás által indított folyamat. Bejelentkezés után az előző oldalra történő visszalépés okozhatja ezt a hibát.',
+ 'saml_fail_authed' => 'Bejelentkezés :system használatával sikertelen, a rendszer nem biztosított sikeres hitelesítést',
'social_no_action_defined' => 'Nincs művelet meghatározva',
'social_login_bad_response' => "Hiba történt :socialAccount bejelentkezés közben:\n:error",
'social_account_in_use' => ':socialAccount fiók már használatban van. :socialAccount opción keresztül érdemes megpróbálni a bejelentkezést.',
'social_account_register_instructions' => ':socialAccount beállítása használatával is lehet fiókot regisztrálni, ha még nem volt fiók létrehozva.',
'social_driver_not_found' => 'Közösségi meghajtó nem található',
'social_driver_not_configured' => ':socialAccount közösségi beállítások nem megfelelőek.',
- 'invite_token_expired' => 'This invitation link has expired. You can instead try to reset your account password.',
+ 'invite_token_expired' => 'Ez a meghívó hivatkozás lejárt. Helyette meg lehet próbálni új jelszót megadni a fiókhoz.',
// System
'path_not_writable' => ':filePath elérési út nem tölthető fel. Ellenőrizni kell, hogy az útvonal a kiszolgáló számára írható.',
'app_down' => ':appName jelenleg nem üzemel',
'back_soon' => 'Hamarosan újra elérhető lesz.',
+ // API errors
+ 'api_no_authorization_found' => 'A kérésben nem található hitelesítési vezérjel',
+ 'api_bad_authorization_format' => 'A kérésben hitelesítési vezérjel található de a formátuma érvénytelennek tűnik',
+ 'api_user_token_not_found' => 'A megadott hitelesítési vezérjelhez nem található egyező API vezérjel',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'A használt API vezérjel tulajdonosának nincs jogosultsága API hívások végrehajtásához',
+ 'api_user_token_expired' => 'A használt hitelesítési vezérjel lejárt',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Hiba történt egy teszt email küldésekor:',
+
];
'app_editor_desc' => 'Annak kiválasztása, hogy a felhasználók melyik szerkesztőt használhatják az oldalak szerkesztéséhez.',
'app_custom_html' => 'Egyéni HTML fejléc tartalom',
'app_custom_html_desc' => 'Az itt hozzáadott bármilyen tartalom be lesz illesztve minden oldal <head> szekciójának aljára. Ez hasznos a stílusok felülírásához van analitikai kódok hozzáadásához.',
- 'app_custom_html_disabled_notice' => 'Custom HTML head content is disabled on this settings page to ensure any breaking changes can be reverted.',
+ 'app_custom_html_disabled_notice' => 'Az egyéni HTML fejléc tartalom le van tiltva ezen a beállítási oldalon, hogy az esetleg hibásan megadott módosításokat vissza lehessen állítani.',
'app_logo' => 'Alkalmazás logó',
'app_logo_desc' => 'A képnek 43px magasnak kell lennie.<br>A nagy képek át lesznek méretezve.',
'app_primary_color' => 'Alkalmazás elsődleges színe',
'app_disable_comments_toggle' => 'Megjegyzések letiltása',
'app_disable_comments_desc' => 'Megjegyzések letiltása az alkalmazás összes oldalán.<br>A már létező megjegyzések el lesznek rejtve.',
+ // Color settings
+ 'content_colors' => 'Tartalomszínek',
+ 'content_colors_desc' => 'Beállítja az elemek színét az oldalszervezési hierarchiában. Az olvashatóság szempontjából javasolt az alapértelmezés szerinti színhez hasonló fényerősséget választani.',
+ 'bookshelf_color' => 'Polc színe',
+ 'book_color' => 'Könyv színe',
+ 'chapter_color' => 'Fejezet színe',
+ 'page_color' => 'Oldal színe',
+ 'page_draft_color' => 'Oldalvázlat színe',
+
// Registration Settings
'reg_settings' => 'Regisztráció',
'reg_enable' => 'Regisztráció engedélyezése',
'reg_enable_toggle' => 'Regisztráció engedélyezése',
'reg_enable_desc' => 'Ha a regisztráció engedélyezett, akkor a felhasználó képes lesz bejelentkezni mint az alkalmazás egy felhasználója. Regisztráció után egy egyszerű, alapértelmezés szerinti felhasználói szerepkör lesz hozzárendelve.',
'reg_default_role' => 'Regisztráció utáni alapértelmezett felhasználói szerepkör',
+ 'reg_enable_external_warning' => 'A fenti beállítási lehetőség nincs használatban, ha külső LDAP vagy SAML hitelesítés aktív. A nem létező tagok felhasználói fiókjai automatikusan létrejönnek ha a használatban lévő külső rendszeren sikeres a hitelesítés.',
'reg_email_confirmation' => 'Email megerősítés',
'reg_email_confirmation_toggle' => 'Email megerősítés szükséges',
'reg_confirm_email_desc' => 'Ha a tartomány korlátozás be van állítva, akkor email megerősítés szükséges és ez a beállítás figyelmen kívül lesz hagyva.',
'maint_image_cleanup_warning' => ':count potenciálisan nem használt képet találtam. Biztosan törölhetőek ezek a képek?',
'maint_image_cleanup_success' => ':count potenciálisan nem használt kép megtalálva és törölve!',
'maint_image_cleanup_nothing_found' => 'Nincsenek nem használt képek, semmi sem lett törölve!',
+ 'maint_send_test_email' => 'Teszt e-mail küldése',
+ 'maint_send_test_email_desc' => 'Ez elküld egy teszt emailt a profilban megadott email címre.',
+ 'maint_send_test_email_run' => 'Teszt e-mail küldése',
+ 'maint_send_test_email_success' => 'Email elküldve :address címre',
+ 'maint_send_test_email_mail_subject' => 'Teszt e-mail',
+ 'maint_send_test_email_mail_greeting' => 'Az email kézbesítés működőképesnek tűnik!',
+ 'maint_send_test_email_mail_text' => 'Gratulálunk! Mivel ez az email figyelmeztetés megérkezett az email beállítások megfelelőek.',
// Role Settings
'roles' => 'Szerepkörök',
'role_manage_roles' => 'Szerepkörök és szerepkör engedélyek kezelése',
'role_manage_entity_permissions' => 'Minden könyv, fejezet és oldalengedély kezelése',
'role_manage_own_entity_permissions' => 'Saját könyv, fejezet és oldalak engedélyeinek kezelése',
- 'role_manage_page_templates' => 'Manage page templates',
+ 'role_manage_page_templates' => 'Oldalsablonok kezelése',
+ 'role_access_api' => 'Hozzáférés a rendszer API-hoz',
'role_manage_settings' => 'Alkalmazás beállításainak kezelése',
'role_asset' => 'Eszköz jogosultságok',
'role_asset_desc' => 'Ezek a jogosultság vezérlik a alapértelmezés szerinti hozzáférést a rendszerben található eszközökhöz. A könyvek, fejezetek és oldalak jogosultságai felülírják ezeket a jogosultságokat.',
'users_role_desc' => 'A felhasználó melyik szerepkörhöz lesz rendelve. Ha a felhasználó több szerepkörhöz van rendelve, akkor ezeknek a szerepköröknek a jogosultságai összeadódnak, és a a felhasználó a hozzárendelt szerepkörök minden képességét megkapja.',
'users_password' => 'Felhasználó jelszava',
'users_password_desc' => 'Az alkalmazásba bejelentkezéshez használható jelszó beállítása. Legalább 5 karakter hosszúnak kell lennie.',
- 'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
- 'users_send_invite_option' => 'Send user invite email',
+ 'users_send_invite_text' => 'Lehetséges egy meghívó emailt küldeni ennek a felhasználónak ami lehetővé teszi, hogy beállíthassa a saját jelszavát. Máskülönben a jelszót az erre jogosult felhasználónak kell beállítania.',
+ 'users_send_invite_option' => 'Felhasználó meghívó levél küldése',
'users_external_auth_id' => 'Külső hitelesítés azonosítója',
- 'users_external_auth_id_desc' => 'Ez az azonosító lesz használva a felhasználó ellenőrzéséhez mikor az LDAP rendszerrel kommunikál.',
+ 'users_external_auth_id_desc' => 'Ez az azonosító lesz használva a felhasználó ellenőrzéséhez mikor a külső hitelesítő rendszerrel kommunikál.',
'users_password_warning' => 'A lenti mezőket csak a jelszó módosításához kell kitölteni.',
'users_system_public' => 'Ez a felhasználó bármelyik, a példányt megtekintő felhasználót képviseli. Nem lehet vele bejelentkezni de automatikusan hozzá lesz rendelve.',
'users_delete' => 'Felhasználó törlése',
'users_social_disconnect' => 'Fiók lecsatlakoztatása',
'users_social_connected' => ':socialAccount fiók sikeresen csatlakoztatva a profilhoz.',
'users_social_disconnected' => ':socialAccount fiók sikeresen lecsatlakoztatva a profilról.',
+ 'users_api_tokens' => 'API vezérjelek',
+ 'users_api_tokens_none' => 'Ehhez a felhasználóhoz nincsenek létrehozva API vezérjelek',
+ 'users_api_tokens_create' => 'Vezérjel létrehozása',
+ 'users_api_tokens_expires' => 'Lejárat',
+ 'users_api_tokens_docs' => 'API dokumentáció',
+
+ // API Tokens
+ 'user_api_token_create' => 'API vezérjel létrehozása',
+ 'user_api_token_name' => 'Név',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Vezérjel titkos kódja',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Vezérjel létrehozva :timeAgo',
+ 'user_api_token_updated' => 'Vezérjel frissítve :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
'digits' => ':attribute :digits számból kell álljon.',
'digits_between' => ':attribute hosszának :min és :max számjegy között kell lennie.',
'email' => ':attribute érvényes email cím kell legyen.',
- 'ends_with' => 'The :attribute must end with one of the following: :values',
+ 'ends_with' => ':attribute attribútumnak a következők egyikével kell végződnie: :values',
'filled' => ':attribute mező kötelező.',
'gt' => [
- 'numeric' => 'The :attribute must be greater than :value.',
- 'file' => 'The :attribute must be greater than :value kilobytes.',
- 'string' => 'The :attribute must be greater than :value characters.',
- 'array' => 'The :attribute must have more than :value items.',
+ 'numeric' => ':attribute nagyobb kell, hogy legyen, mint :value.',
+ 'file' => ':attribute nagyobb kell, hogy legyen, mint :value kilobájt.',
+ 'string' => ':attribute nagyobb kell legyen mint :value karakter.',
+ 'array' => ':attribute több, mint :value elemet kell, hogy tartalmazzon.',
],
'gte' => [
- 'numeric' => 'The :attribute must be greater than or equal :value.',
+ 'numeric' => ':attribute attribútumnak :value értéknél nagyobbnak vagy vele egyenlőnek kell lennie.',
'file' => 'The :attribute must be greater than or equal :value kilobytes.',
'string' => 'The :attribute must be greater than or equal :value characters.',
'array' => 'The :attribute must have :value items or more.',
],
'no_double_extension' => ':attribute csak egy fájlkiterjesztéssel rendelkezhet.',
'not_in' => 'A kiválasztott :attribute érvénytelen.',
- 'not_regex' => 'The :attribute format is invalid.',
+ 'not_regex' => ':attribute formátuma érvénytelen.',
'numeric' => ':attribute szám kell legyen.',
'regex' => ':attribute formátuma érvénytelen.',
'required' => ':attribute mező kötelező.',
'reset' => 'Azzera',
'remove' => 'Rimuovi',
'add' => 'Aggiungi',
+ 'fullscreen' => 'Schermo intero',
// Sort Options
'sort_options' => 'Opzioni Ordinamento',
'shelves_copy_permissions_to_books' => 'Copia Permessi ai Libri',
'shelves_copy_permissions' => 'Copia Permessi',
'shelves_copy_permissions_explain' => 'Verranno applicati tutti i permessi della libreria ai libri contenuti. Prima di attivarlo, assicurati che ogni permesso di questa libreria sia salvato.',
- 'shelves_copy_permission_success' => 'Permessi della libreria copiati in :count books',
+ 'shelves_copy_permission_success' => 'Permessi della libreria copiati in :count libri',
// Books
'book' => 'Libro',
'attachments_delete_confirm' => 'Clicca elimina nuovamente per confermare l\'eliminazione di questo allegato.',
'attachments_dropzone' => 'Rilascia file o clicca qui per allegare un file',
'attachments_no_files' => 'Nessun file è stato caricato',
- 'attachments_explain_link' => 'Puoi allegare un link se preferisci non caricare un file. Questo può essere un link a un\'altra pagina o a un file in un cloud.',
+ 'attachments_explain_link' => 'Puoi allegare un link se preferisci non caricare un file. Questo può essere un link a un\'altra pagina o a un file nel cloud.',
'attachments_link_name' => 'Nome Link',
'attachment_link' => 'Link allegato',
'attachments_link_url' => 'Link al file',
'email_already_confirmed' => 'La mail è già stata confermata, esegui il login.',
'email_confirmation_invalid' => 'Questo token di conferma non è valido o già stato utilizzato, registrati nuovamente.',
'email_confirmation_expired' => 'Il token di conferma è scaduto, è stata inviata una nuova mail di conferma.',
+ 'email_confirmation_awaiting' => 'The email address for the account in use needs to be confirmed',
'ldap_fail_anonymous' => 'Accesso LDAP fallito usando bind anonimo',
'ldap_fail_authed' => 'Accesso LDAP fallito usando il dn e la password inseriti',
'ldap_extension_not_installed' => 'L\'estensione PHP LDAP non è installata',
'ldap_cannot_connect' => 'Impossibile connettersi al server ldap, connessione iniziale fallita',
+ 'saml_already_logged_in' => 'Già loggato',
+ 'saml_user_not_registered' => 'L\'utente :name non è registrato e la registrazione automatica è disabilitata',
+ 'saml_no_email_address' => 'Impossibile trovare un indirizzo email per questo utente nei dati forniti dal sistema di autenticazione esterno',
+ 'saml_invalid_response_id' => 'La richiesta dal sistema di autenticazione esterno non è riconosciuta da un processo iniziato da questa applicazione. Tornare indietro dopo un login potrebbe causare questo problema.',
+ 'saml_fail_authed' => 'Accesso con :system non riuscito, il sistema non ha fornito l\'autorizzazione corretta',
'social_no_action_defined' => 'Nessuna azione definita',
'social_login_bad_response' => "Ricevuto error durante il login con :socialAccount : \n:error",
'social_account_in_use' => 'Questo account :socialAccount è già utilizzato, prova a loggarti usando l\'opzione :socialAccount.',
'social_account_email_in_use' => 'La mail :email è già in uso. Se hai già un account puoi connettere il tuo account :socialAccount dalle impostazioni del tuo profilo.',
'social_account_existing' => 'Questo account :socialAccount è già connesso al tuo profilo.',
- 'social_account_already_used_existing' => 'Questo accoutn :socialAccount è già utilizzato da un altro utente.',
+ 'social_account_already_used_existing' => 'Questo account :socialAccount è già utilizzato da un altro utente.',
'social_account_not_used' => 'Questo account :socialAccount non è collegato a nessun utente. Collegalo nelle impostazioni del profilo. ',
'social_account_register_instructions' => 'Se non hai ancora un account, puoi registrarti usando l\'opzione :socialAccount.',
'social_driver_not_found' => 'Driver social non trovato',
'invite_token_expired' => 'Il link di invito è scaduto. Puoi provare a resettare la password del tuo account.',
// System
- 'path_not_writable' => 'La path :filePath non può essere scritta. Controlla che abbia i permessi corretti.',
+ 'path_not_writable' => 'Il percorso :filePath non è scrivibile. Controlla che abbia i permessi corretti.',
'cannot_get_image_from_url' => 'Impossibile scaricare immagine da :url',
'cannot_create_thumbs' => 'Il server non può creare thumbnail. Controlla che l\'estensione GD sia installata.',
'server_upload_limit' => 'Il server non permette un upload di questa grandezza. Prova con un file più piccolo.',
'uploaded' => 'Il server non consente upload di questa grandezza. Prova un file più piccolo.',
'image_upload_error' => 'C\'è stato un errore caricando l\'immagine',
- 'image_upload_type_error' => 'Il tipo di immagine in upload non è valido',
- 'file_upload_timeout' => 'Il caricamento del file è scaduto.',
+ 'image_upload_type_error' => 'Il tipo di immagine caricata non è valido',
+ 'file_upload_timeout' => 'Il caricamento del file è andato in timeout.',
// Attachments
'attachment_page_mismatch' => 'La pagina non è corrisposta durante l\'aggiornamento dell\'allegato',
'guests_cannot_save_drafts' => 'Gli ospiti non possono salvare bozze',
// Users
- 'users_cannot_delete_only_admin' => 'Non puoi eliminare l\'unico adin',
+ 'users_cannot_delete_only_admin' => 'Non puoi eliminare l\'unico admin',
'users_cannot_delete_guest' => 'Non puoi eliminare l\'utente ospite',
// Roles
'app_down' => ':appName è offline',
'back_soon' => 'Ritornerà presto.',
+ // API errors
+ 'api_no_authorization_found' => 'No authorization token found on the request',
+ 'api_bad_authorization_format' => 'An authorization token was found on the request but the format appeared incorrect',
+ 'api_user_token_not_found' => 'No matching API token was found for the provided authorization token',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => 'The authorization token used has expired',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
'app_disable_comments_toggle' => 'Disabilita commenti',
'app_disable_comments_desc' => 'Disabilita i commenti su tutte le pagine nell\'applicazione. I commenti esistenti non sono mostrati. ',
+ // Color settings
+ 'content_colors' => 'Colori del contenuto',
+ 'content_colors_desc' => 'Imposta i colori per tutti gli elementi nella gerarchia della pagina. È raccomandato scegliere colori con una luminosità simile a quelli di default per una maggiore leggibilità.',
+ 'bookshelf_color' => 'Colore delle libreria',
+ 'book_color' => 'Colore del libro',
+ 'chapter_color' => 'Colore del capitolo',
+ 'page_color' => 'Colore della Pagina',
+ 'page_draft_color' => 'Colore della bozza',
+
// Registration Settings
'reg_settings' => 'Impostazioni Registrazione',
'reg_enable' => 'Abilita Registrazione',
'reg_enable_toggle' => 'Abilita registrazione',
- 'reg_enable_desc' => 'When registration is enabled user will be able to sign themselves up as an application user. Upon registration they are given a single, default user role.',
+ 'reg_enable_desc' => 'Quando la registrazione è abilitata, l\utente sarà in grado di registrarsi all\'applicazione. Al momento della registrazione gli verrà associato un ruolo utente predefinito.',
'reg_default_role' => 'Ruolo predefinito dopo la registrazione',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
'reg_email_confirmation' => 'Conferma Email',
'reg_email_confirmation_toggle' => 'Richiedi conferma email',
'reg_confirm_email_desc' => 'Se la restrizione per dominio è usata la conferma della mail sarà richiesta e la scelta ignorata.',
// Maintenance settings
'maint' => 'Manutenzione',
'maint_image_cleanup' => 'Pulizia Immagini',
- 'maint_image_cleanup_desc' => "Scans page & revision content to check which images and drawings are currently in use and which images are redundant. Ensure you create a full database and image backup before running this.",
+ 'maint_image_cleanup_desc' => "Esegue la scansione del contenuto delle pagine e delle revisioni per verificare quali immagini e disegni sono attualmente in uso e quali immagini sono ridondanti. Assicurati di creare backup completo del database e delle immagini prima di eseguire la pulizia.",
'maint_image_cleanup_ignore_revisions' => 'Ignora le immagini nelle revisioni',
'maint_image_cleanup_run' => 'Esegui Pulizia',
'maint_image_cleanup_warning' => ':count immagini potenzialmente inutilizzate sono state trovate. Sei sicuro di voler eliminare queste immagini?',
'maint_image_cleanup_success' => ':count immagini potenzialmente inutilizzate trovate e eliminate!',
- 'maint_image_cleanup_nothing_found' => 'No unused images found, Nothing deleted!',
+ 'maint_image_cleanup_nothing_found' => 'Nessuna immagine non utilizzata trovata, Nulla è stato cancellato!',
+ 'maint_send_test_email' => 'Invia un Email di Test',
+ 'maint_send_test_email_desc' => 'Questo invia un\'email di prova al tuo indirizzo email specificato nel tuo profilo.',
+ 'maint_send_test_email_run' => 'Invia email di test',
+ 'maint_send_test_email_success' => 'Email inviata a :address',
+ 'maint_send_test_email_mail_subject' => 'Email di Test',
+ 'maint_send_test_email_mail_greeting' => 'L\'invio delle email sembra funzionare!',
+ 'maint_send_test_email_mail_text' => 'Congratulazioni! Siccome hai ricevuto questa notifica email, le tue impostazioni sembrano essere configurate correttamente.',
// Role Settings
'roles' => 'Ruoli',
'role_manage_entity_permissions' => 'Gestire tutti i permessi di libri, capitoli e pagine',
'role_manage_own_entity_permissions' => 'Gestire i permessi sui propri libri, capitoli e pagine',
'role_manage_page_templates' => 'Gestisci template pagine',
+ 'role_access_api' => 'Access system API',
'role_manage_settings' => 'Gestire impostazioni app',
'role_asset' => 'Permessi Entità',
'role_asset_desc' => 'Questi permessi controllano l\'accesso di default alle entità. I permessi nei Libri, Capitoli e Pagine sovrascriveranno questi.',
'users_send_invite_text' => 'Puoi scegliere di inviare a questo utente un\'email di invito che permette loro di impostare la propria password altrimenti puoi impostare la password tu stesso.',
'users_send_invite_option' => 'Invia email di invito',
'users_external_auth_id' => 'ID Autenticazioni Esterna',
- 'users_external_auth_id_desc' => 'Questo è l\'ID utilizzato per abbinare questo utente quando si comunica con il sistema LDAP.',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
'users_password_warning' => 'Riempi solo se desideri cambiare la tua password:',
'users_system_public' => 'Questo utente rappresente qualsiasi ospite che visita il sito. Non può essere usato per effettuare il login ma è assegnato automaticamente.',
'users_delete' => 'Elimina Utente',
'users_social_disconnect' => 'Disconnetti Account',
'users_social_connected' => 'L\'account :socialAccount è stato connesso correttamente al tuo profilo.',
'users_social_disconnected' => 'L\'account :socialAccount è stato disconnesso correttamente dal tuo profilo.',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'No API tokens have been created for this user',
+ 'users_api_tokens_create' => 'Create Token',
+ 'users_api_tokens_expires' => 'Expires',
+ 'users_api_tokens_docs' => 'API Documentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Create API Token',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Token Created :timeAgo',
+ 'user_api_token_updated' => 'Token Updated :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
'reset' => 'リセット',
'remove' => '削除',
'add' => '追加',
+ 'fullscreen' => 'Fullscreen',
// Sort Options
'sort_options' => 'Sort Options',
'image_image_name' => '画像名',
'image_delete_used' => 'この画像は以下のページで利用されています。',
'image_delete_confirm' => '削除してもよろしければ、再度ボタンを押して下さい。',
- 'image_select_image' => '選択',
+ 'image_select_image' => '画像を選択',
'image_dropzone' => '画像をドロップするか、クリックしてアップロード',
'images_deleted' => '画像を削除しました',
'image_preview' => '画像プレビュー',
'image_upload_success' => '画像がアップロードされました',
'image_update_success' => '画像が更新されました',
'image_delete_success' => '画像が削除されました',
- 'image_upload_remove' => 'Remove',
+ 'image_upload_remove' => '削除',
// Code Editor
- 'code_editor' => 'ã\83\97ã\83ã\82°ã\83©ã\83 ã\83\96ã\83ã\83\83ã\82¯ç·¨é\9b\86',
+ 'code_editor' => 'ã\82³ã\83¼ã\83\89ã\82\92ç·¨é\9b\86ã\81\99ã\82\8b',
'code_language' => 'プログラミング言語の選択',
'code_content' => 'プログラム内容',
'code_save' => 'プログラムを保存',
'email_already_confirmed' => 'Eメールは既に確認済みです。ログインしてください。',
'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アクセスに失敗しました',
'ldap_fail_authed' => '識別名, パスワードを用いたLDAPアクセスに失敗しました',
'ldap_extension_not_installed' => 'LDAP PHP extensionがインストールされていません',
'ldap_cannot_connect' => 'LDAPサーバに接続できませんでした',
+ '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',
'social_no_action_defined' => 'アクションが定義されていません',
'social_login_bad_response' => "Error received during :socialAccount login: \n:error",
'social_account_in_use' => ':socialAccountアカウントは既に使用されています。:socialAccountのオプションからログインを試行してください。',
'invite_token_expired' => 'This invitation link has expired. You can instead try to reset your account password.',
// System
- 'path_not_writable' => 'ã\83\95ã\82¡ã\82¤ã\83«ã\83\91ã\82¹ :filePath ã\81¸ã\82¢ã\83\83ã\83\97ã\83ã\83¼ã\83\89ã\81§ã\81\8dã\81¾ã\81\9bã\82\93ã\81§ã\81\97ã\81\9fã\80\82ã\82µã\83¼ã\83\90ä¸\8aã\81§ã\81®æ\9b¸ã\81\8dè¾¼ã\81¿ã\82\92許å\8f¯してください。',
+ 'path_not_writable' => 'ã\83\95ã\82¡ã\82¤ã\83«ã\83\91ã\82¹ :filePath ã\81¸ã\82¢ã\83\83ã\83\97ã\83ã\83¼ã\83\89ã\81§ã\81\8dã\81¾ã\81\9bã\82\93ã\81§ã\81\97ã\81\9fã\80\82ã\82µã\83¼ã\83\90ä¸\8aã\81§ã\81®æ\9b¸ã\81\8dè¾¼ã\81¿ã\81\8c許å\8f¯ã\81\95ã\82\8cã\81¦ã\81\84ã\82\8bã\81\8b確èª\8dしてください。',
'cannot_get_image_from_url' => ':url から画像を取得できませんでした。',
'cannot_create_thumbs' => 'このサーバはサムネイルを作成できません。GD PHP extensionがインストールされていることを確認してください。',
'server_upload_limit' => 'このサイズの画像をアップロードすることは許可されていません。ファイルサイズを小さくし、再試行してください。',
// Attachments
'attachment_page_mismatch' => '添付を更新するページが一致しません',
- 'attachment_not_found' => 'Attachment not found',
+ 'attachment_not_found' => '添付ファイルが見つかりません。',
// Pages
'page_draft_autosave_fail' => '下書きの保存に失敗しました。インターネットへ接続してください。',
// Comments
'comment_list' => 'An error occurred while fetching the comments.',
- 'cannot_add_comment_to_draft' => 'You cannot add comments to a draft.',
+ 'cannot_add_comment_to_draft' => '下書きにコメントは追加できません。',
'comment_add' => 'An error occurred while adding / updating the comment.',
'comment_delete' => 'An error occurred while deleting the comment.',
'empty_comment' => 'Cannot add an empty comment.',
'app_down' => ':appNameは現在停止しています',
'back_soon' => '回復までしばらくお待ちください。',
+ // API errors
+ 'api_no_authorization_found' => 'No authorization token found on the request',
+ 'api_bad_authorization_format' => 'An authorization token was found on the request but the format appeared incorrect',
+ 'api_user_token_not_found' => 'No matching API token was found for the provided authorization token',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => '認証トークンが期限切れです。',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
'app_disable_comments_toggle' => 'Disable comments',
'app_disable_comments_desc' => 'アプリケーション内のすべてのページのコメントを無効にします。既存のコメントは表示されません。',
+ // Color settings
+ 'content_colors' => 'Content Colors',
+ 'content_colors_desc' => 'Sets 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' => 'Shelf Color',
+ 'book_color' => 'Book Color',
+ 'chapter_color' => 'Chapter Color',
+ 'page_color' => 'Page Color',
+ 'page_draft_color' => 'Page Draft Color',
+
// Registration Settings
'reg_settings' => '登録設定',
'reg_enable' => 'Enable Registration',
'reg_enable_toggle' => 'Enable registration',
'reg_enable_desc' => 'When registration is enabled user will be able to sign themselves up as an application user. Upon registration they are given a single, default user role.',
'reg_default_role' => '新規登録時のデフォルト役割',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
'reg_email_confirmation' => 'Email Confirmation',
'reg_email_confirmation_toggle' => 'Require email confirmation',
'reg_confirm_email_desc' => 'ドメイン制限を有効にしている場合はEメール認証が必須となり、この項目は無視されます。',
'maint_image_cleanup_warning' => ':count potentially unused images were found. Are you sure you want to delete these images?',
'maint_image_cleanup_success' => ':count potentially unused images found and deleted!',
'maint_image_cleanup_nothing_found' => 'No unused images found, Nothing deleted!',
+ 'maint_send_test_email' => 'Send a Test Email',
+ 'maint_send_test_email_desc' => 'This sends a test email to your email address specified in your profile.',
+ 'maint_send_test_email_run' => 'Send test email',
+ 'maint_send_test_email_success' => 'Email sent to :address',
+ 'maint_send_test_email_mail_subject' => 'Test Email',
+ 'maint_send_test_email_mail_greeting' => 'Email delivery seems to work!',
+ 'maint_send_test_email_mail_text' => 'Congratulations! As you received this email notification, your email settings seem to be configured properly.',
// Role Settings
'roles' => '役割',
'role_manage_entity_permissions' => '全てのブック, チャプター, ページに対する権限の管理',
'role_manage_own_entity_permissions' => '自身のブック, チャプター, ページに対する権限の管理',
'role_manage_page_templates' => 'Manage page templates',
+ 'role_access_api' => 'Access system API',
'role_manage_settings' => 'アプリケーション設定の管理',
'role_asset' => 'アセット権限',
'role_asset_desc' => '各アセットに対するデフォルトの権限を設定します。ここで設定した権限が優先されます。',
'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
'users_send_invite_option' => 'Send user invite email',
'users_external_auth_id' => '外部認証ID',
- 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your LDAP system.',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
'users_password_warning' => 'パスワードを変更したい場合のみ入力してください',
'users_system_public' => 'このユーザはアプリケーションにアクセスする全てのゲストを表します。ログインはできませんが、自動的に割り当てられます。',
'users_delete' => 'ユーザを削除',
'users_social_disconnect' => 'アカウントを接続解除',
'users_social_connected' => '「:socialAccount」がプロフィールに接続されました。',
'users_social_disconnected' => '「:socialAccount」がプロフィールから接続解除されました。',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'No API tokens have been created for this user',
+ 'users_api_tokens_create' => 'Create Token',
+ 'users_api_tokens_expires' => 'Expires',
+ 'users_api_tokens_docs' => 'API Documentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Create API Token',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Token Created :timeAgo',
+ 'user_api_token_updated' => 'Token Updated :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
return [
// Pages
- 'page_create' => '페이지 생성',
- 'page_create_notification' => '페이지를 만들었습니다.',
- 'page_update' => '페이지 업데이트',
- 'page_update_notification' => '페이지를 업데이트하였습니다.',
- 'page_delete' => '페이지 삭제',
- 'page_delete_notification' => '페이지를 삭제하였습니다.',
- 'page_restore' => '페이지 복원',
- 'page_restore_notification' => '페이지를 복원하였습니다.',
- 'page_move' => '페이지 이동',
+ 'page_create' => '문서 만들기',
+ 'page_create_notification' => '문서 만듦',
+ 'page_update' => '문서 수정',
+ 'page_update_notification' => '문서 수정함',
+ 'page_delete' => '문서 지우기',
+ 'page_delete_notification' => '문서 지움',
+ 'page_restore' => '문서 복원',
+ 'page_restore_notification' => '문서 복원함',
+ 'page_move' => '문서 옮기기',
// Chapters
'chapter_create' => '챕터 만들기',
- 'chapter_create_notification' => '챕터를 만들었습니다.',
- 'chapter_update' => '챕터 업데이트',
- 'chapter_update_notification' => '챕터를 업데이트하였습니다.',
- 'chapter_delete' => 'ì±\95í\84° ì\82ì \9c',
- 'chapter_delete_notification' => 'ì±\94í\84°ë¥¼ ì\82ì \9cí\95\98ì\98\80ì\8aµë\8b\88ë\8b¤.',
- 'chapter_move' => 'ì±\95í\84° ì\9d´ë\8f\99',
+ 'chapter_create_notification' => '챕터 만듦',
+ 'chapter_update' => '챕터 바꾸기',
+ 'chapter_update_notification' => '챕터 바꿈',
+ 'chapter_delete' => 'ì±\95í\84° ì§\80ì\9a°ê¸°',
+ 'chapter_delete_notification' => 'ì±\95í\84° ì§\80ì\9b\80',
+ 'chapter_move' => 'ì±\95í\84° ì\98®ê¸°ê¸°',
// Books
- 'book_create' => '책 만들기',
- 'book_create_notification' => 'ì±\85ì\9d\84 ë§\8cë\93¤ì\97\88ì\8aµë\8b\88ë\8b¤.',
- 'book_update' => '책 업데이트',
- 'book_update_notification' => 'ì±\85ì\9d\84 ì\97\85ë\8d°ì\9d´í\8a¸í\95\98ì\98\80ì\8aµë\8b\88ë\8b¤.',
- 'book_delete' => '책 삭제',
- 'book_delete_notification' => 'ì±\85ì\9d\84 ì\82ì \9cí\95\98ì\98\80ì\8aµë\8b\88ë\8b¤.',
- 'book_sort' => '책 정렬',
- 'book_sort_notification' => 'ì±\85ì\9d\84 ì \95ë ¬í\95\98ì\98\80ì\8aµë\8b\88ë\8b¤.',
+ 'book_create' => '책자 만들기',
+ 'book_create_notification' => 'ì±\85ì\9e\90 ë§\8cë\93¦',
+ 'book_update' => '책자 바꾸기',
+ 'book_update_notification' => 'ì±\85ì\9e\90 ë°\94ê¿\88',
+ 'book_delete' => '책자 지우기',
+ 'book_delete_notification' => 'ì±\85ì\9e\90 ì§\80ì\9b\80',
+ 'book_sort' => '책자 정렬',
+ 'book_sort_notification' => 'ì±\85ì\9e\90 ì \95ë ¬í\95¨',
// Bookshelves
- 'bookshelf_create' => 'created Bookshelf',
- 'bookshelf_create_notification' => 'Bookshelf Successfully Created',
- 'bookshelf_update' => 'updated bookshelf',
- 'bookshelf_update_notification' => 'Bookshelf Successfully Updated',
- 'bookshelf_delete' => 'deleted bookshelf',
- 'bookshelf_delete_notification' => 'Bookshelf Successfully Deleted',
+ 'bookshelf_create' => '서가 만들기',
+ 'bookshelf_create_notification' => '서가 만듦',
+ 'bookshelf_update' => '서가 바꾸기',
+ 'bookshelf_update_notification' => '서가 바꿈',
+ 'bookshelf_delete' => '서가 지우기',
+ 'bookshelf_delete_notification' => '서가 지움',
// Other
- 'commented_on' => 'commented on',
+ 'commented_on' => '댓글 쓰기',
];
*/
return [
- 'failed' => '이 자격 증명은 등록되어 있지 않습니다.',
- 'throttle' => '로그인 시도 횟수 제한을 초과했습니다. :seconds초 후에 다시 시도하십시오.',
+ 'failed' => '가입하지 않았거나 비밀번호가 틀립니다.',
+ 'throttle' => '여러 번 실패했습니다. :seconds초 후에 다시 시도하세요.',
// Login & Register
- 'sign_up' => '신규등록',
+ 'sign_up' => '가입',
'log_in' => '로그인',
- 'log_in_with' => ':socialDriver에 로그인',
- 'sign_up_with' => ':socialDriver로 등록',
+ 'log_in_with' => ':socialDriver로 로그인',
+ 'sign_up_with' => ':socialDriver로 가입',
'logout' => '로그아웃',
'name' => '이름',
- 'username' => '사용자이름',
- 'email' => '이메일',
+ 'username' => '사용자 이름',
+ 'email' => '메일 주소',
'password' => '비밀번호',
- 'password_confirm' => '비밀번호 (확인)',
- 'password_hint' => '7자 이상이어야 합니다.',
- 'forgot_password' => 'ë¹\84ë°\80ë²\88í\98¸ë¥¼ ì\9e\8aì\9c¼ì\85¨ì\8aµë\8b\88ê¹\8c?',
- 'remember_me' => '자동로그인',
- 'ldap_email_hint' => '이 계정에서 사용하는 이메일을 입력해 주세요.',
- 'create_account' => 'ê³\84ì \95 ë§\8cë\93¤ê¸°',
- 'already_have_account' => 'Already have an account?',
- 'dont_have_account' => 'Don\'t have an account?',
- 'social_login' => 'SNS로그인',
- 'social_registration' => 'SNS등록',
- 'social_registration_text' => '다른 서비스를 사용하여 등록하고 로그인.',
+ 'password_confirm' => '비밀번호 확인',
+ 'password_hint' => '일곱 글자를 넘어야 합니다.',
+ 'forgot_password' => 'ë¹\84ë°\80ë²\88í\98¸ë¥¼ ì\9e\8aì\97\88ë\82\98ì\9a\94?',
+ 'remember_me' => '로그인 유지',
+ 'ldap_email_hint' => '이 계정에 대한 메일 주소를 입력하세요.',
+ 'create_account' => 'ê°\80ì\9e\85',
+ 'already_have_account' => '계정이 있나요?',
+ 'dont_have_account' => '계정이 없나요?',
+ 'social_login' => '소셜 로그인',
+ 'social_registration' => '소셜 가입',
+ 'social_registration_text' => '소셜 계정으로 가입하고 로그인합니다.',
- 'register_thanks' => '등록이완료되었습니다!',
- 'register_confirm' => 'ë\8b¹ì\8b ì\9d\98 ì\9d´ë©\94ì\9d¼ì\9d\84 í\99\95ì\9d¸í\95\98ì\8b í\9b\84 í\99\95ì\9d¸ ë²\84í\8a¼ì\9d\84 ë\88\8cë\9f¬ :appNameì\97\90 ì\95¡ì\84¸ì\8a¤í\95\98ì\8bì\8b\9cì\98¤.',
- 'registrations_disabled' => '현재 등록이 불가합니다.',
- 'registration_email_domain_invalid' => '해당 이메일 도메인으로 액세스 할 수 없습니다.',
- 'register_success' => '등록을 완료하고 로그인 할 수 있습니다!',
+ 'register_thanks' => '가입해 주셔서 감사합니다!',
+ 'register_confirm' => 'ë©\94ì\9d¼ì\9d\84 í\99\95ì\9d¸í\95\9c í\9b\84 ë²\84í\8a¼ì\9d\84 ë\88\8cë\9f¬ :appNameì\97\90 ì \91ê·¼í\95\98ì\84¸ì\9a\94.',
+ 'registrations_disabled' => '가입할 수 없습니다.',
+ 'registration_email_domain_invalid' => '이 메일 주소로는 이 사이트에 접근할 수 없습니다.',
+ 'register_success' => '가입했습니다! 이제 로그인할 수 있습니다.',
// Password Reset
- 'reset_password' => '암호 재설정',
- 'reset_password_send_instructions' => 'ë\8b¤ì\9d\8cì\97\90 ë©\94ì\9d¼ 주ì\86\8c를 ì\9e\85ë ¥í\95\98ë©´ ë¹\84ë°\80ë²\88í\98¸ ì\9e¬ì\84¤ì \95 ë§\81í\81¬ê°\80 í\8f¬í\95¨ ë\90\9c ì\9d´ë©\94ì\9d¼ì\9d´ ì \84ì\86¡ë\90©니다.',
- 'reset_password_send_button' => '재설정 링크 보내기',
- 'reset_password_sent_success' => ':email로 재설정 링크를 보냈습니다.',
- 'reset_password_success' => '비밀번호가 재설정되었습니다.',
- 'email_reset_subject' => ':appName 암호를 재설정',
- 'email_reset_text' => '귀하의 계정에 대한 비밀번호 재설정 요청을 받았기 때문에 본 이메일이 발송되었습니다.',
- 'email_reset_not_requested' => 'ì\95\94í\98¸ ì\9e¬ì\84¤ì \95ì\9d\84 ì\9a\94ì²í\95\98ì§\80 ì\95\8aì\9d\80 ê²½ì\9a° ë\8d\94 ì\9d´ì\83\81ì\9d\98 ì¡°ì¹\98ë\8a\94 í\95\84ì\9a\94í\95\98ì§\80 ì\95\8a습니다.',
+ 'reset_password' => '비밀번호 바꾸기',
+ 'reset_password_send_instructions' => 'ë©\94ì\9d¼ 주ì\86\8c를 ì\9e\85ë ¥í\95\98ì\84¸ì\9a\94. ì\9d´ 주ì\86\8cë¡\9c í\95´ë\8b¹ ê³¼ì \95ì\9d\84 ì\9c\84í\95\9c ë§\81í\81¬ë¥¼ ë³´ë\82¼ ê²\83ì\9e\85니다.',
+ 'reset_password_send_button' => '메일 보내기',
+ 'reset_password_sent_success' => ':email로 메일을 보냈습니다.',
+ 'reset_password_success' => '비밀번호를 바꿨습니다.',
+ 'email_reset_subject' => ':appName 비밀번호 바꾸기',
+ 'email_reset_text' => '비밀번호를 바꿉니다.',
+ 'email_reset_not_requested' => 'ì\9b\90í\95\98ì§\80 ì\95\8aë\8a\94ë\8b¤ë©´ ì\9d´ ê³¼ì \95ì\9d\80 í\95\84ì\9a\94 ì\97\86습니다.',
// Email Confirmation
- 'email_confirm_subject' => ':appName의 이메일 주소 확인',
- 'email_confirm_greeting' => ':appName에 가입 해 주셔서 감사합니다!',
- 'email_confirm_text' => 'ë\8b¤ì\9d\8c ë²\84í\8a¼ì\9d\84 ë\88\8cë\9f¬ ì\9d´ë©\94ì\9d¼ 주ì\86\8c를 í\99\95ì\9d¸í\95\98ì\8bì\8b\9cì\98¤',
- 'email_confirm_action' => '이메일 주소를 확인',
- 'email_confirm_send_error' => 'Eë©\94ì\9d¼ í\99\95ì\9d¸ì\9d´ í\95\84ì\9a\94í\95\98ì§\80ë§\8c ì\8b\9cì\8a¤í\85\9cì\97\90ì\84\9c ë©\94ì\9d¼ì\9d\84 ë³´ë\82¼ ì\88\98 ì\97\86ì\8aµë\8b\88ë\8b¤. ê´\80리ì\9e\90ì\97\90ê²\8c 문ì\9d\98í\95\98ì\97¬ ë©\94ì\9d¼ì\9d´ ì \9cë\8c\80ë¡\9c ì\84¤ì \95ë\90\98ì\96´ ì\9e\88ë\8a\94ì§\80 í\99\95ì\9d¸í\95\98ì\8bì\8b\9cì\98¤.',
- 'email_confirm_success' => '메일 주소가 확인되었습니다.',
- 'email_confirm_resent' => '확인 메일을 다시 보냈습니다. 받은 편지함을 확인하십시오.',
+ 'email_confirm_subject' => ':appName 메일 인증',
+ 'email_confirm_greeting' => ':appName로 가입해 주셔서 감사합니다!',
+ 'email_confirm_text' => 'ë\8b¤ì\9d\8c ë²\84í\8a¼ì\9d\84 ë\88\8cë\9f¬ ì\9d¸ì¦\9dí\95\98ì\84¸ì\9a\94:',
+ 'email_confirm_action' => '메일 인증',
+ 'email_confirm_send_error' => 'ë©\94ì\9d¼ì\9d\84 ë³´ë\82¼ ì\88\98 ì\97\86ì\97\88ì\8aµë\8b\88ë\8b¤.',
+ 'email_confirm_success' => '인증했습니다!',
+ 'email_confirm_resent' => '다시 보냈습니다. 메일함을 확인하세요.',
- 'email_not_confirmed' => '메일 주소가 확인되지 않습니다',
- 'email_not_confirmed_text' => '메일 주소 확인이 완료되지 않습니다.',
- 'email_not_confirmed_click_link' => 'ë\93±ë¡\9dì\8b\9c ë°\9bì\9d\80 ì\9d´ë©\94ì\9d¼ì\9d\84 í\99\95ì\9d¸í\95\98ê³ í\99\95ì\9d¸ ë§\81í\81¬ë¥¼ í\81´ë¦í\95\98ì\8bì\8b\9cì\98¤.',
- 'email_not_confirmed_resend' => '메일이 없으면 아래 양식을 통해 다시 제출하십시오.',
- 'email_not_confirmed_resend_button' => '확인 메일을 다시 전송',
+ 'email_not_confirmed' => '인증하지 않았습니다.',
+ 'email_not_confirmed_text' => '인증을 완료하지 않았습니다.',
+ 'email_not_confirmed_click_link' => 'ë©\94ì\9d¼ì\9d\84 í\99\95ì\9d¸í\95\98ê³ ì\9d¸ì¦\9d ë§\81í\81¬ë¥¼ í\81´ë¦í\95\98ì\84¸ì\9a\94.',
+ 'email_not_confirmed_resend' => '메일 주소가 없다면 다음을 입력하세요.',
+ 'email_not_confirmed_resend_button' => '다시 보내기',
// User Invite
- 'user_invite_email_subject' => 'You have been invited to join :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_action' => 'Set Account Password',
- '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_success' => 'Password set, you now have access to :appName!'
+ 'user_invite_email_subject' => ':appName에서 권유를 받았습니다.',
+ 'user_invite_email_greeting' => ':appName에서 가입한 기록이 있습니다.',
+ 'user_invite_email_text' => '다음 버튼을 눌러 확인하세요:',
+ 'user_invite_email_action' => '비밀번호 설정',
+ 'user_invite_page_welcome' => ':appName로 접속했습니다.',
+ 'user_invite_page_text' => ':appName에 로그인할 때 입력할 비밀번호를 설정하세요.',
+ 'user_invite_page_confirm_button' => '비밀번호 확인',
+ 'user_invite_success' => '이제 :appName에 접근할 수 있습니다.'
];
\ No newline at end of file
'confirm' => '확인',
'back' => '뒤로',
'save' => '저장',
- 'continue' => '계속하기',
+ 'continue' => '계속',
'select' => '선택',
- 'toggle_all' => 'Toggle All',
- 'more' => '더보기',
+ 'toggle_all' => '모두 보기',
+ 'more' => '더 보기',
// Form Labels
'name' => '이름',
'description' => '설명',
- 'role' => '역할',
+ 'role' => '권한',
'cover_image' => '대표 이미지',
- 'cover_image_description' => '이 이미지는 약 440x250px 정도의 크기여야 합니다.',
+ 'cover_image_description' => '이미지 규격은 440x250px 내외입니다.',
// Actions
- 'actions' => 'Actions',
- 'view' => 'ë·°',
- 'view_all' => 'View All',
- 'create' => '생성',
- 'update' => '업데이트',
+ 'actions' => '활동',
+ 'view' => '보기',
+ 'view_all' => '모두 보기',
+ 'create' => '만들기',
+ 'update' => '바꾸기',
'edit' => '수정',
'sort' => '정렬',
- 'move' => 'ì\9d´ë\8f\99',
+ 'move' => 'ì\98®ê¸°ê¸°',
'copy' => '복사',
- 'reply' => 'Reply',
- 'delete' => 'ì\82ì \9c',
+ 'reply' => '답글',
+ 'delete' => 'ì§\80ì\9a°ê¸°',
'search' => '검색',
- 'search_clear' => 'ê²\80ì\83\89기ë¡\9d ì\82ì \9c',
- 'reset' => '초기화',
+ 'search_clear' => '기ë¡\9d ì§\80ì\9a°ê¸°',
+ 'reset' => '리셋',
'remove' => '제거',
'add' => '추가',
+ 'fullscreen' => '전체화면',
// Sort Options
- 'sort_options' => 'Sort Options',
- 'sort_direction_toggle' => 'Sort Direction Toggle',
- 'sort_ascending' => 'Sort Ascending',
- 'sort_descending' => 'Sort Descending',
- 'sort_name' => 'Name',
- 'sort_created_at' => 'Created Date',
- 'sort_updated_at' => 'Updated Date',
+ 'sort_options' => '정렬 기준',
+ 'sort_direction_toggle' => '순서 반전',
+ 'sort_ascending' => '오름차 순서',
+ 'sort_descending' => '내림차 순서',
+ 'sort_name' => '제목',
+ 'sort_created_at' => '만든 날짜',
+ 'sort_updated_at' => '수정한 날짜',
// Misc
- 'deleted_user' => '삭제ë\90\9c ì\82¬ì\9a©ì\9e\90',
- 'no_activity' => '활동내역이 없음',
- 'no_items' => '사용가능한 항목이 없음',
- 'back_to_top' => '맨위로',
- 'toggle_details' => '상세 토글',
- 'toggle_thumbnails' => 'ì\8d¸ë\82´ì\9d¼ í\86 ê¸\80',
- 'details' => 'ì\83\81ì\84¸',
- 'grid_view' => '그리ë\93\9c ë·°',
- 'list_view' => '리ì\8a¤í\8a¸ë·°',
- 'default' => '기본설정',
- 'breadcrumb' => 'Breadcrumb',
+ 'deleted_user' => '삭제í\95\9c ì\82¬ì\9a©ì\9e\90',
+ 'no_activity' => '활동 없음',
+ 'no_items' => '항목 없음',
+ 'back_to_top' => '맨 위로',
+ 'toggle_details' => '내용 보기',
+ 'toggle_thumbnails' => 'ì\84¬ë\84¤ì\9d¼ 보기',
+ 'details' => 'ì \95ë³´',
+ 'grid_view' => '격ì\9e\90 보기',
+ 'list_view' => '목ë¡\9d 보기',
+ 'default' => '기본 설정',
+ 'breadcrumb' => '탐색 경로',
// Header
- 'profile_menu' => 'Profile Menu',
- 'view_profile' => 'í\94\84ë¡\9cí\8c\8cì\9d¼ 보기',
- 'edit_profile' => 'í\94\84ë¡\9cí\8c\8cì\9d¼ ì\88\98ì \95í\95\98기',
+ 'profile_menu' => '프로필',
+ 'view_profile' => 'í\94\84ë¡\9cí\95\84 보기',
+ 'edit_profile' => 'í\94\84ë¡\9cí\95\84 ë°\94꾸기',
// Layout tabs
- 'tab_info' => 'Info',
- 'tab_content' => 'Content',
+ 'tab_info' => '정보',
+ 'tab_content' => '내용',
// Email Content
- 'email_action_help' => '":actionText"버튼을 클릭하는 데 문제가 있으면 아래 URL을 복사하여 웹 브라우저에 붙여 넣으십시오:',
- 'email_rights' => 'All rights reserved',
+ 'email_action_help' => ':actionText를 클릭할 수 없을 때는 웹 브라우저에서 다음 링크로 접속할 수 있습니다.',
+ 'email_rights' => '모든 권리 소유',
];
// Image Manager
'image_select' => '이미지 선택',
- 'image_all' => '전체',
- 'image_all_title' => '모든 이미지 보기',
- 'image_book_title' => 'ì\9d´ ì±\85ì\97\90 ì\97\85ë¡\9cë\93\9cë\90\9c ì\9d´ë¯¸ì§\80 보기',
- 'image_page_title' => '이 페이지에 업로드된 이미지 보기',
- 'image_search_hint' => '이미지 이름으로 검색',
- 'image_uploaded' => ':uploadedDate에 업로드됨',
- 'image_load_more' => 'ë\8d\94 ë¶\88ë\9f¬ì\98¤기',
+ 'image_all' => '모든 이미지',
+ 'image_all_title' => '모든 이미지',
+ 'image_book_title' => 'ì\9d´ ì±\85ì\9e\90ì\97\90ì\84\9c ì\93°ê³ ì\9e\88ë\8a\94 ì\9d´ë¯¸ì§\80',
+ 'image_page_title' => '이 문서에서 쓰고 있는 이미지',
+ 'image_search_hint' => '이미지 이름 검색',
+ 'image_uploaded' => '올림 :uploadedDate',
+ 'image_load_more' => 'ë\8d\94 ë¡\9cë\93\9cí\95\98기',
'image_image_name' => '이미지 이름',
- 'image_delete_used' => '이 이미지는 다음 페이지에서 이용되고 있습니다.',
- 'image_delete_confirm' => 'ì\82ì \9cí\95´ë\8f\84 ê´\9cì°®ì\9c¼ì\8b\9cë©´ ë\8b¤ì\8b\9c ì\82ì \9c ë²\84í\8a¼ì\9d\84 ë\88\8cë\9f¬ì£¼ì\84¸ì\9a\94.',
- 'image_select_image' => '선택',
- 'image_dropzone' => 'ì\97\85ë¡\9cë\93\9c를 ì\9c\84í\95´ ì\9d´ë¯¸ì§\80를 ê°\80ì ¸ì\99\80 ë\86\93ê±°ë\82\98 í\81´ë¦í\95\98ì\84¸ì\9a\94',
- 'images_deleted' => '이미지 삭제',
- 'image_preview' => '이미지 미리보기',
- 'image_upload_success' => 'ì\9d´ë¯¸ì§\80 ì\97\85ë¡\9cë\93\9cê°\80 ì\99\84ë£\8cë\90\98ì\97\88ì\8aµë\8b\88ë\8b¤.',
- 'image_update_success' => 'ì\9d´ë¯¸ì§\80 ì\83\81ì\84¸ì \95ë³´ê°\80 ì\97\85ë\8d°ì\9d´í\8a¸ ë\90\98ì\97\88ì\8aµë\8b\88ë\8b¤.',
- 'image_delete_success' => '이미지가 삭제되었습니다.',
- 'image_upload_remove' => 'ì \9cê±°',
+ 'image_delete_used' => '이 이미지는 다음 문서들이 쓰고 있습니다.',
+ 'image_delete_confirm' => 'ì\9d´ ì\9d´ë¯¸ì§\80를 ì§\80ì\9a¸ ê±´ê°\80ì\9a\94?',
+ 'image_select_image' => 'ì\9d´ë¯¸ì§\80 ì\84 í\83\9d',
+ 'image_dropzone' => 'ì\97¬ê¸°ì\97\90 ì\9d´ë¯¸ì§\80를 ë\93\9cë¡í\95\98ê±°ë\82\98 ì\97¬ê¸°ë¥¼ í\81´ë¦í\95\98ì\84¸ì\9a\94. ì\9d´ë¯¸ì§\80를 ì\98¬ë¦´ ì\88\98 ì\9e\88ì\8aµë\8b\88ë\8b¤.',
+ 'images_deleted' => '이미지 삭제함',
+ 'image_preview' => '이미지 미리 보기',
+ 'image_upload_success' => 'ì\9d´ë¯¸ì§\80 ì\98¬ë¦¼',
+ 'image_update_success' => 'ì\9d´ë¯¸ì§\80 ì \95ë³´ ì\88\98ì \95í\95¨',
+ 'image_delete_success' => '이미지 삭제함',
+ 'image_upload_remove' => 'ì\82ì \9c',
// Code Editor
'code_editor' => '코드 수정',
- 'code_language' => 'ì½\94ë\93\9c ì\96¸ì\96´',
- 'code_content' => '코드 내용',
- 'code_save' => 'ì½\94ë\93\9c ì \80ì\9e¥',
+ 'code_language' => '언어',
+ 'code_content' => '내용',
+ 'code_save' => '저장',
];
return [
// Shared
- 'recently_created' => 'ìµ\9cê·¼ì\9e\91ì\84±',
- 'recently_created_pages' => '최근 작성된 페이지',
- 'recently_updated_pages' => '최근 업데이트된 페이지',
- 'recently_created_chapters' => '최근 만들어진 챕터',
- 'recently_created_books' => '최근 만들어진 책',
- 'recently_created_shelves' => 'Recently Created Shelves',
- 'recently_update' => '최근 작성',
- 'recently_viewed' => '검색 기록',
- 'recent_activity' => '최근 활동',
- 'create_now' => '지금 만들기',
- 'revisions' => '변경이력',
- 'meta_revision' => '수정 #:revisionCount',
- 'meta_created' => '작성: :timeLength',
- 'meta_created_name' => '작성: :timeLength by :user',
- 'meta_updated' => 'ì\97\85ë\8d°ì\9d´í\8a¸ :timeLength',
- 'meta_updated_name' => 'ì\97\85ë\8d°ì\9d´í\8a¸ :timeLength by :user',
- 'entity_select' => '엔티티선택',
+ 'recently_created' => 'ìµ\9cê·¼ì\97\90 ì\88\98ì \95í\95¨',
+ 'recently_created_pages' => '최근에 만든 문서',
+ 'recently_updated_pages' => '최근에 수정한 문서',
+ 'recently_created_chapters' => '최근에 만든 챕터',
+ 'recently_created_books' => '최근에 만든 책자',
+ 'recently_created_shelves' => '최근에 만든 서가',
+ 'recently_update' => '최근에 수정함',
+ 'recently_viewed' => '최근에 읽음',
+ 'recent_activity' => '최근에 활동함',
+ 'create_now' => '바로 만들기',
+ 'revisions' => '수정본',
+ 'meta_revision' => '판본 #:revisionCount',
+ 'meta_created' => '만듦 :timeLength',
+ 'meta_created_name' => '만듦 :timeLength, :user',
+ 'meta_updated' => 'ì\88\98ì \95í\95¨ :timeLength',
+ 'meta_updated_name' => 'ì\88\98ì \95í\95¨ :timeLength, :user',
+ 'entity_select' => '항목 선택',
'images' => '이미지',
- 'my_recent_drafts' => '내 최근 초안',
- 'my_recently_viewed' => '검색 기록',
- 'no_pages_viewed' => '조회한 페이지가 없습니다.',
- 'no_pages_recently_created' => '최근 만들어진 페이지가 없습니다',
- 'no_pages_recently_updated' => '최근 업데이트된 페이지가없습니다',
- 'export' => '내보내기',
- 'export_html' => 'html 내보내기',
+ 'my_recent_drafts' => '쓰다 만 문서',
+ 'my_recently_viewed' => '내가 읽은 문서',
+ 'no_pages_viewed' => '문서 없음',
+ 'no_pages_recently_created' => '문서 없음',
+ 'no_pages_recently_updated' => '문서 없음',
+ 'export' => '파일로 받기',
+ 'export_html' => 'Contained Web(.html) 파일',
'export_pdf' => 'PDF 파일',
- 'export_text' => '일반 텍스트 파일',
+ 'export_text' => 'Plain Text(.txt) 파일',
// Permissions and restrictions
'permissions' => '권한',
- 'permissions_intro' => 'ì\9d´ ì\84¤ì \95ì\9d\80 ê°\81 ì\82¬ì\9a©ì\9e\90ì\9d\98 ì\97í\95 ë³´ë\8b¤ ì\9a°ì\84 í\95\98ì\97¬ ì \81ì\9a©ë\90©ë\8b\88ë\8b¤.',
- 'permissions_enable' => '커ì\8a¤í\85\80 ê¶\8cí\95\9c í\99\9cì\84±í\99\94',
+ 'permissions_intro' => 'í\95\9cë²\88 í\97\88ì\9a©í\95\98ë©´ ì\9d´ ì\84¤ì \95ì\9d\80 ì\82¬ì\9a©ì\9e\90 ê¶\8cí\95\9cì\97\90 ì\9a°ì\84 í\95©ë\8b\88ë\8b¤.',
+ 'permissions_enable' => 'ì\84¤ì \95 í\97\88ì\9a©',
'permissions_save' => '권한 저장',
// Search
'search_results' => '검색 결과',
- 'search_total_results_found' => ':count 개의 결과를 찾았습니다.|총 :count 개의 결과를 찾았습니다.',
- 'search_clear' => 'ê²\80ì\83\89기ë¡\9d ì´\88기í\99\94',
- 'search_no_pages' => 'ê²\80ì\83\89ê²°ê³¼ê°\80 ì\97\86ì\8aµë\8b\88ë\8b¤.',
- 'search_for_term' => ':term 을(를) 검색합니다.',
- 'search_more' => '결과 더보기',
- 'search_filters' => 'ê²\80ì\83\89 í\95\84í\84°',
- 'search_content_type' => '컨텐츠 타입',
- 'search_exact_matches' => '정확히 일치합니다.',
- 'search_tags' => '테그 검색',
- 'search_options' => 'ì\84¤ì \95',
- 'search_viewed_by_me' => '내가본것',
- 'search_not_viewed_by_me' => '내가안본것',
- 'search_permissions_set' => '권한 설정',
+ 'search_total_results_found' => ':count개|총 :count개',
+ 'search_clear' => '기ë¡\9d ì§\80ì\9a°ê¸°',
+ 'search_no_pages' => 'ê²°ê³¼ ì\97\86ì\9d\8c',
+ 'search_for_term' => ':term 검색',
+ 'search_more' => '더 많은 결과',
+ 'search_filters' => 'ê³ ê¸\89 ê²\80ì\83\89',
+ 'search_content_type' => '형식',
+ 'search_exact_matches' => '정확히 일치',
+ 'search_tags' => '꼬리표 일치',
+ 'search_options' => 'ì\84 í\83\9d',
+ 'search_viewed_by_me' => '내가 읽음',
+ 'search_not_viewed_by_me' => '내가 읽지 않음',
+ 'search_permissions_set' => '권한 설정함',
'search_created_by_me' => '내가 만듦',
- 'search_updated_by_me' => 'ë\82´ê°\80 ì\97\85ë\8d°ì\9d´í\8a¸함',
- 'search_date_options' => '날짜 설정',
- 'search_updated_before' => 'ì\9d´ì \84ì\97\90 ì\97\85ë\8d°ì\9d´í\8a¸함',
- 'search_updated_after' => 'ì\9d´í\9b\84ì\97\90 ì\97\85ë\8d°ì\9d´í\8a¸함',
- 'search_created_before' => '이전에 생성함',
- 'search_created_after' => '이후에 생성함',
+ 'search_updated_by_me' => 'ë\82´ê°\80 ì\88\98ì \95함',
+ 'search_date_options' => '날짜',
+ 'search_updated_before' => 'ì\9d´ì \84ì\97\90 ì\88\98ì \95함',
+ 'search_updated_after' => 'ì\9d´í\9b\84ì\97\90 ì\88\98ì \95함',
+ 'search_created_before' => '이전에 만듦',
+ 'search_created_after' => '이후에 만듦',
'search_set_date' => '날짜 설정',
- 'search_update' => '검색 업데이트',
+ 'search_update' => '검색',
// Shelves
- 'shelf' => 'ì±\85ê½\83ì\9d´',
- 'shelves' => 'ì±\85ê½\83ì\9d´',
- 'x_shelves' => ':count Shelf|:count Shelves',
- 'shelves_long' => 'ì±\85ê½\83ì\9d´',
- 'shelves_empty' => '책꽃이가 만들어지지 않았습니다.',
- 'shelves_create' => 'ì\83\88ì±\85ê½\83ì\9d´ 만들기',
- 'shelves_popular' => '인기있는 책꽃이',
- 'shelves_new' => 'ì\83\88ë¡\9cì\9a´ ì±\85ê½\83ì\9d´',
- 'shelves_new_action' => 'New Shelf',
- 'shelves_popular_empty' => '인기있는 책꽃이가 여기에 나타납니다.',
- 'shelves_new_empty' => '가장 최근에 만들어진 책꽃이가 여기에 나타납니다.',
- 'shelves_save' => 'ì±\85ê½\83ì\9d´ ì \80ì\9e¥',
- 'shelves_books' => 'ì\9d´ ì±\85ê½\83ì\9d´ì\97\90 ì\9e\88ë\8a\94 ì±\85',
- 'shelves_add_books' => 'ì\9d´ ì±\85ê½\83ì\9d´ì\97\90 ì±\85ì\9d\84 ì¶\94ê°\80í\95©ë\8b\88ë\8b¤',
- 'shelves_drag_books' => 'ì\9d´ ì±\85ê½\83ì\9d´ì\97\90 ì±\85ì\9d\84 ì¶\94ê°\80í\95\98기 ì\9c\84í\95´ ë\81\8cì\96´ë\86\93ì\9c¼세요.',
- 'shelves_empty_contents' => '이책꽃이엔 등록된 책이 없습니다.',
- 'shelves_edit_and_assign' => 'ì±\85ì\9d\84 ë\93±ë¡\9dí\95\98기 ì\9c\84í\95´ ì±\85ê½\83ì\9d´ë¥¼ ì\88\98ì \95',
- 'shelves_edit_named' => ':name 책꽃이 수정',
- 'shelves_edit' => 'ì±\85ê½\83ì\9d´ ì\88\98ì \95',
- 'shelves_delete' => 'ì±\85ê½\83ì\9d´ ì\82ì \9c',
- 'shelves_delete_named' => ':name ì±\85ê½\83ì\9d´ë¥¼ ì\82ì \9cí\95©ë\8b\88ë\8b¤.',
- 'shelves_delete_explain' => "':name' 이름의 책꽃이가 삭제됩니다. 포함된 책은 삭제되지 않습니다.",
- 'shelves_delete_confirmation' => 'ì\9d´ ì±\85ê½\83ì\9d´ë¥¼ ì\82ì \9cí\95\98ì\8b\9cê² ì\8aµë\8b\88ê¹\8c?',
- 'shelves_permissions' => 'ì±\85ê½\83ì\9d´ 권한',
- 'shelves_permissions_updated' => 'ì±\85ê½\83ì\9d´ ê¶\8cí\95\9cì\9d´ ì\97\85ë\8d°ì\9d´í\8a¸ ë\90\98ì\97\88ì\8aµë\8b\88ë\8b¤.',
- 'shelves_permissions_active' => 'ì±\85ê½\83ì\9d´ ê¶\8cí\95\9c í\99\9cì\84±í\99\94',
- 'shelves_copy_permissions_to_books' => '책에 권한을 복사합니다.',
- 'shelves_copy_permissions' => '권한 복사',
- 'shelves_copy_permissions_explain' => 'ì\9d´ ì±\85ê½\82ì\9d´ì\9d\98 í\98\84ì\9e¬ ê¶\8cí\95\9c ì\84¤ì \95ì\9d´ ì\95\88ì\97\90 í\8f¬í\95¨ ë\90\9c 모ë\93 ì±\85ì\97\90 ì \81ì\9a©ë\90©ë\8b\88ë\8b¤. í\99\9cì\84±í\99\94í\95\98기 ì \84ì\97\90ì\9d´ ì±\85ê½\82ì\9d´ì\9d\98 ì\82¬ì\9a© ê¶\8cí\95\9cì\9d´ ë³\80ê²½ë\90\98ì\97\88ë\8a\94ì§\80 í\99\95ì\9d¸í\95\98ì\8bì\8b\9cì\98¤.',
- 'shelves_copy_permission_success' => '책꽃이의 권한이 :count 개의 책에 복사되었습니다.',
+ 'shelf' => 'ì\84\9cê°\80',
+ 'shelves' => 'ì\84\9cê°\80',
+ 'x_shelves' => '서가 :count개|총 :count개',
+ 'shelves_long' => 'ì\84\9cê°\80',
+ 'shelves_empty' => '만든 서가가 없습니다.',
+ 'shelves_create' => 'ì\84\9cê°\80 만들기',
+ 'shelves_popular' => '많이 읽은 서가',
+ 'shelves_new' => 'ì\83\88ë¡\9cì\9a´ ì\84\9cê°\80',
+ 'shelves_new_action' => '새로운 서가',
+ 'shelves_popular_empty' => '많이 읽은 서가 목록',
+ 'shelves_new_empty' => '새로운 서가 목록',
+ 'shelves_save' => '저장',
+ 'shelves_books' => 'ì\9d´ ì\84\9cê°\80ì\97\90 ì\9e\88ë\8a\94 ì±\85ì\9e\90ë\93¤',
+ 'shelves_add_books' => 'ì\9d´ ì\84\9cê°\80ì\97\90 ì±\85ì\9e\90 ì¶\94ê°\80',
+ 'shelves_drag_books' => 'ì\97¬ê¸°ì\97\90 ì±\85ì\9e\90를 ë\93\9cë¡í\95\98세요.',
+ 'shelves_empty_contents' => '이 서가에 책자가 없습니다.',
+ 'shelves_edit_and_assign' => 'ì\84\9cê°\80 ë°\94꾸기ë¡\9c ì±\85ì\9e\90를 ì¶\94ê°\80í\95\98ì\84¸ì\9a\94.',
+ 'shelves_edit_named' => ':name 바꾸기',
+ 'shelves_edit' => 'ì\84\9cê°\80 ë°\94꾸기',
+ 'shelves_delete' => 'ì\84\9cê°\80 ì§\80ì\9a°ê¸°',
+ 'shelves_delete_named' => ':name ì§\80ì\9a°ê¸°',
+ 'shelves_delete_explain' => ":name을 지웁니다. 책자는 지우지 않습니다.",
+ 'shelves_delete_confirmation' => 'ì\9d´ ì\84\9cê°\80를 ì§\80ì\9a¸ ê±´ê°\80ì\9a\94?',
+ 'shelves_permissions' => 'ì\84\9cê°\80 권한',
+ 'shelves_permissions_updated' => 'ì\84\9cê°\80 ê¶\8cí\95\9c ë°\94ê¿\88',
+ 'shelves_permissions_active' => 'ì\84\9cê°\80 ê¶\8cí\95\9c í\97\88ì\9a©í\95¨',
+ 'shelves_copy_permissions_to_books' => '권한 맞춤',
+ 'shelves_copy_permissions' => '실행',
+ 'shelves_copy_permissions_explain' => 'ì\84\9cê°\80ì\9d\98 모ë\93 ì±\85ì\9e\90ì\97\90 ì\9d´ ê¶\8cí\95\9cì\9d\84 ì \81ì\9a©í\95©ë\8b\88ë\8b¤. ì\84\9cê°\80ì\9d\98 ê¶\8cí\95\9cì\9d\84 ì \80ì\9e¥í\96\88ë\8a\94ì§\80 í\99\95ì\9d¸í\95\98ì\84¸ì\9a\94.',
+ 'shelves_copy_permission_success' => '책자 :count개 권한 바꿈',
// Books
- 'book' => 'ì±\85',
- 'books' => 'ì±\85ë\93¤',
- 'x_books' => ':count 책|:count 책들',
- 'books_empty' => '책이 만들어지지 않았습니다.',
- 'books_popular' => '인기있는 책',
- 'books_recent' => '최근 책',
- 'books_new' => '새로운 책',
- 'books_new_action' => 'New Book',
- 'books_popular_empty' => '가장 인기있는 책이 여기에 보입니다.',
- 'books_new_empty' => '가장 최근에 만든 책이 여기에 표시됩니다.',
- 'books_create' => 'ì\83\88ë¡\9cì\9a´ ì±\85 만들기',
- 'books_delete' => '책 삭제하기',
- 'books_delete_named' => ':bookName 책 삭제하기',
- 'books_delete_explain' => '\':bookName\' 이름의 책이 삭제됩니다. 모든 페이지와 챕터가 삭제됩니다.',
- 'books_delete_confirmation' => 'ì\9d´ ì±\85ì\9d\84 ì\82ì \9c í\95\98ì\8b\9cê² ì\8aµë\8b\88ê¹\8c?',
- 'books_edit' => '책 수정',
- 'books_edit_named' => ':bookName 책 수정',
- 'books_form_book_name' => '책 이름',
- 'books_save' => 'ì±\85 ì \80ì\9e¥',
- 'books_permissions' => '책 권한',
- 'books_permissions_updated' => '책 권한이 업데이트 되었습니다.',
- 'books_empty_contents' => 'ì\9d´ ì±\85ì\97\90 ë\8c\80í\95\9c í\8e\98ì\9d´ì§\80 ë\98\90ë\8a\94 ì\9e¥ì\9d´ ì\9e\91ì\84±ë\90\98ì§\80 ì\95\8aì\95\98습니다.',
- 'books_empty_create_page' => '새로운 페이지 만들기',
- 'books_empty_sort_current_book' => '현제 책 정렬하기',
- 'books_empty_add_chapter' => '챕터 추가하기',
- 'books_permissions_active' => '책 권한 활성화',
- 'books_search_this' => '이책 찾기',
- 'books_navigation' => '책 네비게이션',
- 'books_sort' => '책 구성 정렬하기',
- 'books_sort_named' => ':bookName ì±\85 ì \95ë ¬í\95\98기',
- 'books_sort_name' => 'Sort by Name',
- 'books_sort_created' => 'Sort by Created Date',
- 'books_sort_updated' => 'Sort by Updated Date',
- 'books_sort_chapters_first' => 'Chapters First',
- 'books_sort_chapters_last' => 'Chapters Last',
- 'books_sort_show_other' => '다른책 보기',
- 'books_sort_save' => 'ì\83\88ë¡\9cì\9a´ ì\88\9cì\84\9c ì \80ì\9e¥',
+ 'book' => 'ì\84\9cê³ ',
+ 'books' => 'ì\84\9cê³ ',
+ 'x_books' => '책자 :count개|총 :count개',
+ 'books_empty' => '만든 책자가 없습니다.',
+ 'books_popular' => '많이 읽은 책자',
+ 'books_recent' => '최근에 읽은 책자',
+ 'books_new' => '새로운 책자',
+ 'books_new_action' => '새로운 책자',
+ 'books_popular_empty' => '많이 읽은 책자 목록',
+ 'books_new_empty' => '새로운 책자 목록',
+ 'books_create' => 'ì±\85ì\9e\90 만들기',
+ 'books_delete' => '책자 지우기',
+ 'books_delete_named' => ':bookName(을)를 지웁니다.',
+ 'books_delete_explain' => ':bookName에 있는 모든 챕터와 문서도 지웁니다.',
+ 'books_delete_confirmation' => 'ì\9d´ ì±\85ì\9e\90를 ì§\80ì\9a¸ ê±´ê°\80ì\9a\94?',
+ 'books_edit' => '책자 바꾸기',
+ 'books_edit_named' => ':bookName(을)를 바꿉니다.',
+ 'books_form_book_name' => '책자 이름',
+ 'books_save' => '저장',
+ 'books_permissions' => '책자 권한',
+ 'books_permissions_updated' => '권한 저장함',
+ 'books_empty_contents' => 'ì\9d´ ì±\85ì\9e\90ì\97\90 ì±\95í\84°ë\82\98 문ì\84\9cê°\80 ì\97\86습니다.',
+ 'books_empty_create_page' => '문서 만들기',
+ 'books_empty_sort_current_book' => '읽고 있는 책자 정렬',
+ 'books_empty_add_chapter' => '챕터 만들기',
+ 'books_permissions_active' => '책자 권한 허용함',
+ 'books_search_this' => '이 책자에서 검색',
+ 'books_navigation' => '목차',
+ 'books_sort' => '다른 책자들',
+ 'books_sort_named' => ':bookName ì \95ë ¬',
+ 'books_sort_name' => '제목',
+ 'books_sort_created' => '만든 날짜',
+ 'books_sort_updated' => '수정한 날짜',
+ 'books_sort_chapters_first' => '챕터 우선',
+ 'books_sort_chapters_last' => '문서 우선',
+ 'books_sort_show_other' => '다른 책자들',
+ 'books_sort_save' => 'ì \81ì\9a©',
// Chapters
'chapter' => '챕터',
'chapters' => '챕터',
- 'x_chapters' => ':count 개 챕터|:count 챔터들',
- 'chapters_popular' => '인기있는 챕터',
- 'chapters_new' => '새로운 챕처',
- 'chapters_create' => 'ì\83\88ë¡\9cì\9a´ ì±\95í\84° ë§\8cë\93¤ê¸°',
- 'chapters_delete' => 'ì±\95í\84° ì\82ì \9c',
- 'chapters_delete_named' => ':chapterName 챕터 지우기',
- 'chapters_delete_explain' => '\':chapterName\' 챕터를 지웁니다. 챕터에서 모든 페이지가 삭제되며 페이지가 상위 책에 추가됩니다.',
- 'chapters_delete_confirm' => 'ì \95ë§\90ë¡\9c ì±\95í\84°ë¥¼ ì§\80ì\9a°ì\8b\9cê² ì\8aµë\8b\88ë\94°?',
- 'chapters_edit' => '챕터 수정',
- 'chapters_edit_named' => ':chapterName 챕터 수정',
- 'chapters_save' => 'ì±\95í\84° ì \80ì\9e¥',
- 'chapters_move' => 'ì±\95í\84° ì\9d´ë\8f\99',
- 'chapters_move_named' => ':chapterName ì±\95í\84° ì\9d´ë\8f\99',
- 'chapter_move_success' => ':bookName 으로 챕터를 이동하였습니다.',
+ 'x_chapters' => '챕터 :count개|총 :count개',
+ 'chapters_popular' => '많이 읽은 챕터',
+ 'chapters_new' => '새로운 챕터',
+ 'chapters_create' => '챕터 만들기',
+ 'chapters_delete' => 'ì±\95í\84° ì§\80ì\9a°ê¸°',
+ 'chapters_delete_named' => ':chapterName(을)를 지웁니다.',
+ 'chapters_delete_explain' => ':chapterName에 있는 모든 문서는 챕터에서 벗어날 뿐 지우지 않습니다.',
+ 'chapters_delete_confirm' => 'ì\9d´ ì±\95í\84°ë¥¼ ì§\80ì\9a¸ ê±´ê°\80ì\9a\94?',
+ 'chapters_edit' => '챕터 바꾸기',
+ 'chapters_edit_named' => ':chapterName 바꾸기',
+ 'chapters_save' => '저장',
+ 'chapters_move' => 'ì±\95í\84° ì\98®ê¸°ê¸°',
+ 'chapters_move_named' => ':chapterName ì\98®ê¸°ê¸°',
+ 'chapter_move_success' => ':bookName(으)로 옮김',
'chapters_permissions' => '챕터 권한',
- 'chapters_empty' => 'ì±\95í\84°ì\97\90 í\8f¬í\95¨ë\90\9c í\8e\98ì\9d´ì§\80가 없습니다.',
- 'chapters_permissions_active' => '챕터 권한 활동',
- 'chapters_permissions_success' => 'ì±\95í\84° ê¶\8cí\95\9c ì\88\98ì \95ë\90¨',
- 'chapters_search_this' => '이 챕터 찾기',
+ 'chapters_empty' => 'ì\9d´ ì±\95í\84°ì\97\90 문ì\84\9c가 없습니다.',
+ 'chapters_permissions_active' => '문서 권한 허용함',
+ 'chapters_permissions_success' => 'ê¶\8cí\95\9c ì \80ì\9e¥í\95¨',
+ 'chapters_search_this' => '이 챕터에서 검색',
// Pages
- 'page' => '페이지',
- 'pages' => '페이지들',
- 'x_pages' => ':count 개의 페이지|:count 개의 페이지들',
- 'pages_popular' => '인기있는 페이지',
- 'pages_new' => '새로운 페이지',
- 'pages_attachments' => '첨부파일',
- 'pages_navigation' => '페이지 네비게이션',
- 'pages_delete' => '페이지 지우기',
- 'pages_delete_named' => ':pageName 페이지 지우기',
- 'pages_delete_draft_named' => ':pageName ì´\88ì\95\88 í\8e\98ì\9d´ì§\80 ì§\80ì\9a°ê¸°',
- 'pages_delete_draft' => 'ì´\88ì\95\88 í\8e\98ì\9d´ì§\80 지우기',
- 'pages_delete_success' => '페이지 삭제됨',
- 'pages_delete_draft_success' => 'ì´\88ì\95\88í\8e\98ì\9d´ì§\80 ì\82ì \9cë\90¨',
- 'pages_delete_confirm' => 'ì \95ë§\90ë¡\9c ì\9d´ í\8e\98ì\9d´ì§\80를 ì§\80ì\9a°ì\8b\9cê² ì\8aµë\8b\88ê¹\8c?',
- 'pages_delete_draft_confirm' => 'ì \95ë§\90ë¡\9c ì´\88ì\95\88í\8e\98ì\9d´ì§\80를 ì§\80ì\9a°ì\8b\9cê² ì\8aµë\8b\88ê¹\8c?',
- 'pages_editing_named' => ':pageName 페이지 수정',
- 'pages_edit_draft_options' => 'Draft Options',
- 'pages_edit_save_draft' => '초안 저장',
- 'pages_edit_draft' => '페이지 초안 수정',
- 'pages_editing_draft' => 'ì´\88ì\95\88 ì\88\98ì \95ì¤\91',
- 'pages_editing_page' => '페이지 수정중',
- 'pages_edit_draft_save_at' => '초안이 저장됨 ',
- 'pages_edit_delete_draft' => 'ì´\88ì\95\88 ì\82ì \9c',
- 'pages_edit_discard_draft' => '초안 버리기',
- 'pages_edit_set_changelog' => '변경내역 남기기',
- 'pages_edit_enter_changelog_desc' => 'ì\96´ë\96¤ ë\82´ì\9a©ì\97\90 ë\8c\80í\95\98ì\97¬ ë³\80ê²½í\95\98ì\85¨ë\82\98ì\9a\94?',
- 'pages_edit_enter_changelog' => '변경내역 입력',
- 'pages_save' => '페이지 저장',
- 'pages_title' => '페이지 제목',
- 'pages_name' => '페이지 이름',
- 'pages_md_editor' => '편집자',
- 'pages_md_preview' => 'Preview',
- 'pages_md_insert_image' => 'ì\9d´ë¯¸ì§\80 ì\82½ì\9e\85',
- 'pages_md_insert_link' => '전체링크 입력',
- 'pages_md_insert_drawing' => '드로잉 넣기',
- 'pages_not_in_chapter' => '페이지가 챕터에 있지않습니다.',
- 'pages_move' => '페이지 옮기기',
- 'pages_move_success' => '":parentName"로 페이지를 이동하였습니다.',
- 'pages_copy' => '페이지 복사',
- 'pages_copy_desination' => '경로(desination) 복사',
- 'pages_copy_success' => '페이지가 성공적으로 복사되었습니다',
- 'pages_permissions' => '페이지 권한',
- 'pages_permissions_success' => '페이지 권한이 업데이트 되었습니다.',
- 'pages_revision' => '변경이력',
- 'pages_revisions' => '페이지 변경이력',
- 'pages_revisions_named' => ':pageName페이지의 변경이력내역',
- 'pages_revision_named' => ':pageName페이지의 변경이력',
- 'pages_revisions_created_by' => 'Created By',
- 'pages_revisions_date' => '변경일',
- 'pages_revisions_number' => '#',
- 'pages_revisions_numbered' => 'Revision #:id',
- 'pages_revisions_numbered_changes' => 'Revision #:id Changes',
- 'pages_revisions_changelog' => '변경내역',
- 'pages_revisions_changes' => 'ë³\80ê²½ì\82¬í\95 보기',
- 'pages_revisions_current' => '현재 버전',
- 'pages_revisions_preview' => '미리보기',
- 'pages_revisions_restore' => 'ë\90\98ë\8f\8c리기',
- 'pages_revisions_none' => 'ì\9d´ í\8e\98ì\9d´ì§\80ì\97\90ë\8a\94 ë³\80ê²½ì\9d´ë ¥이 없습니다.',
- 'pages_copy_link' => '링크복사',
- 'pages_edit_content_link' => '링크 수정',
- 'pages_permissions_active' => '페이지 권한 활성화',
- 'pages_initial_revision' => 'ìµ\9cì´\88 ì\9e\91ì\84±',
- 'pages_initial_name' => 'ì\83\88 í\8e\98ì\9d´ì§\80',
- 'pages_editing_draft_notification' => ':timeDiff 전에 저장된 초안을 최근 편집하셨습니다.',
- 'pages_draft_edited_notification' => 'ì\9d´ í\8e\98ì\9d´ì§\80ë\8a\94 ê·¸ ì\9d´í\9b\84ë¡\9c ì\97\85ë\8d°ì\9d´í\8a¸ë\90\98ì\97\88ì\8aµë\8b\88ë\8b¤. ì\9d´ ì´\88ì\95\88ì\9d\84 í\8f\90기í\95\98ë\8a\94 ê²\83이 좋습니다.',
+ 'page' => '문서',
+ 'pages' => '문서',
+ 'x_pages' => '문서 :count개|총 :count개',
+ 'pages_popular' => '많이 읽은 문서',
+ 'pages_new' => '새로운 문서',
+ 'pages_attachments' => '첨부',
+ 'pages_navigation' => '목차',
+ 'pages_delete' => '문서 지우기',
+ 'pages_delete_named' => ':pageName 지우기',
+ 'pages_delete_draft_named' => ':pageName 지우기',
+ 'pages_delete_draft' => 'ì\93°ë\8b¤ ë§\8c 문ì\84\9c 지우기',
+ 'pages_delete_success' => '문서 지움',
+ 'pages_delete_draft_success' => 'ì\93°ë\8b¤ ë§\8c 문ì\84\9c ì§\80ì\9b\80',
+ 'pages_delete_confirm' => 'ì\9d´ 문ì\84\9c를 ì§\80ì\9a¸ ê±´ê°\80ì\9a\94?',
+ 'pages_delete_draft_confirm' => 'ì\93°ë\8b¤ ë§\8c 문ì\84\9c를 ì§\80ì\9a¸ ê±´ê°\80ì\9a\94?',
+ 'pages_editing_named' => ':pageName 수정',
+ 'pages_edit_draft_options' => '쓰다 만 문서 선택',
+ 'pages_edit_save_draft' => '보관',
+ 'pages_edit_draft' => '쓰다 만 문서 수정',
+ 'pages_editing_draft' => 'ì\93°ë\8b¤ ë§\8c 문ì\84\9c ì\88\98ì \95',
+ 'pages_editing_page' => '문서 수정',
+ 'pages_edit_draft_save_at' => '보관함: ',
+ 'pages_edit_delete_draft' => '삭제',
+ 'pages_edit_discard_draft' => '폐기',
+ 'pages_edit_set_changelog' => '수정본 설명',
+ 'pages_edit_enter_changelog_desc' => 'ì\88\98ì \95본 ì\84¤ëª\85',
+ 'pages_edit_enter_changelog' => '설명',
+ 'pages_save' => '저장',
+ 'pages_title' => '문서 제목',
+ 'pages_name' => '문서 이름',
+ 'pages_md_editor' => '에디터',
+ 'pages_md_preview' => '미리 보기',
+ 'pages_md_insert_image' => 'ì\9d´ë¯¸ì§\80 ì¶\94ê°\80',
+ 'pages_md_insert_link' => '내부 링크',
+ 'pages_md_insert_drawing' => '드로잉 추가',
+ 'pages_not_in_chapter' => '챕터에 있는 문서가 아닙니다.',
+ 'pages_move' => '문서 옮기기',
+ 'pages_move_success' => ':parentName(으)로 옮김',
+ 'pages_copy' => '문서 복제',
+ 'pages_copy_desination' => '복제할 위치',
+ 'pages_copy_success' => '복제함',
+ 'pages_permissions' => '문서 권한',
+ 'pages_permissions_success' => '문서 권한 바꿈',
+ 'pages_revision' => '수정본',
+ 'pages_revisions' => '문서 수정본',
+ 'pages_revisions_named' => ':pageName 수정본',
+ 'pages_revision_named' => ':pageName 수정본',
+ 'pages_revisions_created_by' => '만든 사용자',
+ 'pages_revisions_date' => '수정한 날짜',
+ 'pages_revisions_number' => 'No.',
+ 'pages_revisions_numbered' => '수정본 :id',
+ 'pages_revisions_numbered_changes' => '수정본 :id에서 바꾼 부분',
+ 'pages_revisions_changelog' => '설명',
+ 'pages_revisions_changes' => 'ë°\94ê¾¼ ë¶\80ë¶\84',
+ 'pages_revisions_current' => '현재 판본',
+ 'pages_revisions_preview' => '미리 보기',
+ 'pages_revisions_restore' => 'ë³µì\9b\90',
+ 'pages_revisions_none' => 'ì\88\98ì \95본이 없습니다.',
+ 'pages_copy_link' => '주소 복사',
+ 'pages_edit_content_link' => '수정',
+ 'pages_permissions_active' => '문서 권한 허용함',
+ 'pages_initial_revision' => 'ì²\98ì\9d\8c í\8c\90본',
+ 'pages_initial_name' => 'ì \9c목 ì\97\86ì\9d\8c',
+ 'pages_editing_draft_notification' => ':timeDiff에 쓰다 만 문서입니다.',
+ 'pages_draft_edited_notification' => 'ìµ\9cê·¼ì\97\90 ì\88\98ì \95í\95\9c 문ì\84\9cì\9d´ê¸° ë\95\8c문ì\97\90 ì\93°ë\8b¤ ë§\8c 문ì\84\9c를 í\8f\90기í\95\98ë\8a\94 í\8e¸이 좋습니다.',
'pages_draft_edit_active' => [
- 'start_a' => ':countëª\85ì\9d\98 ì\82¬ì\9a©ì\9e\90ê°\80 ì\9d´ í\8e\98ì\9d´ì§\80를 ì\88\98ì \95ì¤\91ì\9e\85니다.',
- 'start_b' => ':userName가(이) 페이지를 수정중입니다.',
- 'time_a' => '페이지가 마지막으로 업데이트 된 이후',
- 'time_b' => '지난 :minCount분 동안',
- 'message' => ':start :time. 서로의 업데이트를 덮어 쓰지 않도록 주의하십시오!',
+ 'start_a' => ':countëª\85ì\9d´ ì\9d´ 문ì\84\9c를 ì\88\98ì \95í\95\98ê³ ì\9e\88ì\8aµ니다.',
+ 'start_b' => ':userName이 이 문서를 수정하고 있습니다.',
+ 'time_a' => '수정본이 생겼습니다.',
+ 'time_b' => '(:minCount분 전)',
+ 'message' => ':start :time. 다른 사용자의 수정본을 덮어쓰지 않도록 주의하세요.',
],
- 'pages_draft_discarded' => 'ì´\88ì\95\88ì\9d´ ì\82ì \9cë\90\98ì\97\88ì\8aµë\8b\88ë\8b¤. í\8e¸ì§\91기ê°\80 í\98\84ì\9e¬ í\8e\98ì\9d´ì§\80 ì\9e\91ì\84±ì\9e\90ë¡\9c ì\97\85ë\8d°ì\9d´í\8a¸ë\90\98ì\97\88ì\8aµ니다.',
- 'pages_specific' => '특정 페이지',
- 'pages_is_template' => 'Page Template',
+ 'pages_draft_discarded' => 'ì\93°ë\8b¤ ë§\8c 문ì\84\9c를 ì§\80ì\9b ì\8aµë\8b\88ë\8b¤. ì\97\90ë\94\94í\84°ì\97\90 í\98\84ì\9e¬ í\8c\90본ì\9d´ ë\82\98í\83\80ë\82©니다.',
+ 'pages_specific' => '특정한 문서',
+ 'pages_is_template' => '템플릿',
// Editor Sidebar
- 'page_tags' => '페이지 테그',
- 'chapter_tags' => '챕터 테그',
- 'book_tags' => '책 테그',
- 'shelf_tags' => 'ì±\85ê½\83ì\9d´ í\85\8cê·¸',
- 'tag' => '테그',
- 'tags' => '테그들',
- 'tag_name' => 'Tag Name',
- 'tag_value' => '테그 값 (선택사항)',
- 'tags_explain' => "컨텐츠를 더 잘 분류하기 위해 테그를 추가하세요! \n 보다 상세한 구성을 위해 태그값을 할당 할 수 있습니다.",
- 'tags_add' => '다른 테그 추가',
- 'tags_remove' => 'Remove this tag',
- 'attachments' => '첨부',
- 'attachments_explain' => 'ì\9d¼ë¶\80 í\8c\8cì\9d¼ì\9d\84 ì\97\85ë¡\9cë\93\9cí\95\98ê±°ë\82\98 í\8e\98ì\9d´ì§\80ì\97\90 í\91\9cì\8b\9c í\95 ë§\81í\81¬ë¥¼ 첨ë¶\80í\95\98ì\8bì\8b\9cì\98¤. í\8e\98ì\9d´ì§\80 ì\82¬ì\9d´ë\93\9c ë°\94ì\97\90 í\91\9cì\8b\9cë\90©ë\8b\88ë\8b¤.',
- 'attachments_explain_instant_save' => 'ë³\80ê²½ ì\82¬í\95ì\9d\80 ì¦\89ì\8b\9c ì \80ì\9e¥ë\90©ë\8b\88ë\8b¤.',
- 'attachments_items' => '첨부된 항목',
- 'attachments_upload' => '차일 업로드',
- 'attachments_link' => '링크 첨부',
+ 'page_tags' => '문서 꼬리표',
+ 'chapter_tags' => '챕터 꼬리표',
+ 'book_tags' => '책자 꼬리표',
+ 'shelf_tags' => 'ì\84\9cê°\80 꼬리í\91\9c',
+ 'tag' => '꼬리표',
+ 'tags' => '꼬리표',
+ 'tag_name' => '꼬리표 이름',
+ 'tag_value' => '리스트 값 (선택 사항)',
+ 'tags_explain' => "태그로 문서를 분류하세요.",
+ 'tags_add' => '태그 추가',
+ 'tags_remove' => '태그 삭제',
+ 'attachments' => '첨부 파일',
+ 'attachments_explain' => 'í\8c\8cì\9d¼ì\9d´ë\82\98 ë§\81í\81¬ë¥¼ 첨ë¶\80í\95\98ì\84¸ì\9a\94. ì \95ë³´ í\83ì\97\90 ë\82\98í\83\80ë\82©ë\8b\88ë\8b¤.',
+ 'attachments_explain_instant_save' => 'ì\97¬ê¸°ì\97\90ì\84\9c ë°\94ê¾¼ ë\82´ì\9a©ì\9d\80 ë°\94ë¡\9c ì \81ì\9a©í\95©ë\8b\88ë\8b¤.',
+ 'attachments_items' => '첨부한 파일들',
+ 'attachments_upload' => '파일 올리기',
+ 'attachments_link' => '링크로 첨부',
'attachments_set_link' => '링크 설정',
- 'attachments_delete_confirm' => '삭제를 다시 클릭하면 첨부파일이 완전히 삭제됩니다.',
- 'attachments_dropzone' => '파일 놓기 또는 여기를 클릭하여 파일 첨부',
- 'attachments_no_files' => 'ì\97\85ë¡\9cë\93\9c ë\90\9c í\8c\8cì\9d¼ì\9d´ ì\97\86ì\8aµë\8b\88ë\8b¤.',
- 'attachments_explain_link' => 'í\8c\8cì\9d¼ì\9d\84 ì\97\85ë¡\9cë\93\9cí\95\98ì§\80 ì\95\8aì\9c¼ë ¤ë\8a\94 ê²½ì\9a° ë§\81í\81¬ë¥¼ 첨ë¶\80 í\95 ì\88\98 ì\9e\88ì\8aµë\8b\88ë\8b¤. ì\9d´ ë§\81í\81¬ë\8a\94 ë\8b¤ë¥¸ í\8e\98ì\9d´ì§\80ì\97\90 ë\8c\80í\95\9c ë§\81í\81¬ì\9d´ê±°ë\82\98 í\81´ë\9d¼ì\9a°ë\93\9cì\97\90ì\9e\88ë\8a\94 í\8c\8cì\9d¼ì\97\90 ë\8c\80í\95\9c ë§\81í\81¬ ì\9d¼ 수 있습니다.',
+ 'attachments_delete_confirm' => '삭제하려면 버튼을 한 번 더 클릭하세요.',
+ 'attachments_dropzone' => '여기에 파일을 드롭하거나 여기를 클릭하세요.',
+ 'attachments_no_files' => 'ì\98¬ë¦° í\8c\8cì\9d¼ ì\97\86ì\9d\8c',
+ 'attachments_explain_link' => 'í\8c\8cì\9d¼ì\9d\84 ì\98¬ë¦¬ì§\80 ì\95\8aê³ ë§\81í\81¬ë¡\9c 첨ë¶\80í\95 수 있습니다.',
'attachments_link_name' => '링크 이름',
- 'attachment_link' => '첨부 링크',
- 'attachments_link_url' => '파일로 첨부',
- 'attachments_link_url_hint' => 'Url, 사이트 또는 파일',
- 'attach' => '첨부',
+ 'attachment_link' => '파일 주소',
+ 'attachments_link_url' => '파일로 링크',
+ 'attachments_link_url_hint' => '파일 주소',
+ 'attach' => '파일 첨부',
'attachments_edit_file' => '파일 수정',
- 'attachments_edit_file_name' => '파일이름',
- 'attachments_edit_drop_upload' => '파일을 놓거나 여기를 클릭하여 업로드 및 덮어 쓰기',
- 'attachments_order_updated' => '첨부 순서 업데이트',
- 'attachments_updated_success' => '첨부파일 상세내용 업데이트 성공',
- 'attachments_deleted' => '첨부파일 삭제',
- 'attachments_file_uploaded' => '파일이 성공적으로 업로드 되었습니다.',
- 'attachments_file_updated' => '파일이 성공적으로 업데이트 되었습니다.',
- 'attachments_link_attached' => '링크가 성공적으로 페이지에 첨부되었습니다.',
- 'templates' => 'Templates',
- 'templates_set_as_template' => 'Page is a template',
- 'templates_explain_set_as_template' => 'You can set this page as a template so its contents be utilized when creating other pages. Other users will be able to use this template if they have view permissions for this page.',
- 'templates_replace_content' => 'Replace page content',
- 'templates_append_content' => 'Append to page content',
- 'templates_prepend_content' => 'Prepend to page content',
+ 'attachments_edit_file_name' => '파일 이름',
+ 'attachments_edit_drop_upload' => '여기에 파일을 드롭하거나 여기를 클릭하세요. 파일을 올리거나 덮어쓸 수 있습니다.',
+ 'attachments_order_updated' => '첨부 순서 바꿈',
+ 'attachments_updated_success' => '첨부 파일 정보 수정함',
+ 'attachments_deleted' => '첨부 파일 삭제함',
+ 'attachments_file_uploaded' => '파일 올림',
+ 'attachments_file_updated' => '파일 바꿈',
+ 'attachments_link_attached' => '링크 첨부함',
+ 'templates' => '템플릿',
+ 'templates_set_as_template' => '템플릿',
+ 'templates_explain_set_as_template' => '템플릿은 보기 권한만 있어도 문서에 쓸 수 있습니다.',
+ 'templates_replace_content' => '문서 대체',
+ 'templates_append_content' => '문서 앞에 추가',
+ 'templates_prepend_content' => '문서 뒤에 추가',
// Profile View
- 'profile_user_for_x' => ':time 전에 작성',
- 'profile_created_content' => '생성한 컨텐츠',
- 'profile_not_created_pages' => ':userName가 작성한 페이지가 없습니다.',
- 'profile_not_created_chapters' => ':userName가 작성한 챕터가 없습니다.',
- 'profile_not_created_books' => ':userName가 작성한 책이 없습니다.',
- 'profile_not_created_shelves' => ':userName has not created any shelves',
+ 'profile_user_for_x' => ':time 전에 가입함',
+ 'profile_created_content' => '활동한 이력',
+ 'profile_not_created_pages' => ':userName(이)가 만든 문서 없음',
+ 'profile_not_created_chapters' => ':userName(이)가 만든 챕터 없음',
+ 'profile_not_created_books' => ':userName(이)가 만든 책자 없음',
+ 'profile_not_created_shelves' => ':userName(이)가 만든 서가 없음',
// Comments
- 'comment' => '코멘트',
- 'comments' => '코멘트들',
- 'comment_add' => '코멘트 추가',
- 'comment_placeholder' => 'ì\97¬ê¸°ì\97\90 ì½\94ë©\98í\8a¸ë¥¼ ë\82¨ê¸°ì\84¸ì\9a\94',
- 'comment_count' => '{0} 코멘트 없음|{1} 1개 코멘트|[2,*] :count개의 코멘트',
- 'comment_save' => '코멘트 저장',
- 'comment_saving' => 'ì½\94ë©\98í\8a¸ ì \80ì\9e¥중...',
- 'comment_deleting' => 'ì½\94ë©\98í\8a¸ ì\82ì \9c중...',
- 'comment_new' => '새로운 코멘트',
- 'comment_created' => '코멘트를 작성하였습니다. :createDiff',
- 'comment_updated' => ':username이 코멘트를 수정하였습니다 :updateDiff',
- 'comment_deleted_success' => '코멘트 삭제성공',
- 'comment_created_success' => '코멘트 추가성공',
- 'comment_updated_success' => '코멘트 업데이트 성공',
- 'comment_delete_confirm' => 'ì \95ë§\90ë¡\9c ì½\94ë©\98í\8a¸ë¥¼ ì§\80ì\9a°ì\8b\9cê² ì\8aµë\8b\88ê¹\8c?',
- 'comment_in_reply_to' => ':commentId 응답',
+ 'comment' => '댓글',
+ 'comments' => '댓글',
+ 'comment_add' => '댓글 쓰기',
+ 'comment_placeholder' => 'ì\9d´ê³³ì\97\90 ë\8c\93ê¸\80ì\9d\84 ì\93°ì\84¸ì\9a\94...',
+ 'comment_count' => '{0} 댓글 없음|{1} 댓글 1개|[2,*] 댓글 :count개',
+ 'comment_save' => '등록',
+ 'comment_saving' => 'ì \80ì\9e¥í\95\98ë\8a\94 중...',
+ 'comment_deleting' => 'ì\82ì \9cí\95\98ë\8a\94 중...',
+ 'comment_new' => '새로운 댓글',
+ 'comment_created' => '댓글 등록함 :createDiff',
+ 'comment_updated' => ':username(이)가 댓글 수정함 :updateDiff',
+ 'comment_deleted_success' => '댓글 지움',
+ 'comment_created_success' => '댓글 등록함',
+ 'comment_updated_success' => '댓글 수정함',
+ 'comment_delete_confirm' => 'ì\9d´ ë\8c\93ê¸\80ì\9d\84 ì§\80ì\9a¸ ê±´ê°\80ì\9a\94?',
+ 'comment_in_reply_to' => ':commentId(을)를 향한 답글',
// Revision
- 'revision_delete_confirm' => '해당 개정판을 지우시겠습니까??',
- 'revision_restore_confirm' => 'Are you sure you want to restore this revision? The current page contents will be replaced.',
- 'revision_delete_success' => '개정판 삭제성공',
- 'revision_cannot_delete_latest' => '최신버전은 지울수 없습니다.'
+ 'revision_delete_confirm' => '이 수정본을 지울 건가요?',
+ 'revision_restore_confirm' => '이 수정본을 되돌릴 건가요? 현재 판본을 바꿉니다.',
+ 'revision_delete_success' => '수정본 지움',
+ 'revision_cannot_delete_latest' => '현재 판본은 지울 수 없습니다.'
];
\ No newline at end of file
return [
// Permissions
- 'permission' => '요청한 페이지에 권한이 없습니다.',
- 'permissionJson' => '요청한 작업을 수행 할 권한이 없습니다.',
+ 'permission' => '권한이 없습니다.',
+ 'permissionJson' => '권한이 없습니다.',
// Auth
- 'error_user_exists_different_creds' => '전자 메일 :email을 가진 사용자가 이미 존재하지만 자격 증명이 다릅니다.',
- 'email_already_confirmed' => '이메일이 이미 확인되었습니다. 로그인 해주세요.',
- 'email_confirmation_invalid' => '이 확인 토큰이 유효하지 않거나 이미 사용되었습니다. 다시 등록하세요.',
- 'email_confirmation_expired' => '확인 토큰이 만료되었습니다. 새 확인 이메일이 전송되었습니다.',
- 'ldap_fail_anonymous' => '익명 바인드를 이용한 LDAP 액세스에 실패하였습니다.',
- 'ldap_fail_authed' => '주어진 dn 및 비밀번호 세부 정보를 사용하여 LDAP 액세스하는 것이 실패했습니다.',
- 'ldap_extension_not_installed' => 'LDAP PHP 확장기능이 설치되지 않았습니다.',
- 'ldap_cannot_connect' => 'LDAP 서버에 연결할 수 없습니다. 초기 연결에 실패했습니다.',
- 'social_no_action_defined' => '동작이 정의되지 않았습니다.',
- 'social_login_bad_response' => ":socialAccount 로그인에 실패하였습니다 : \n:error",
- 'social_account_in_use' => '이 :socialAccount 계정이 이미 사용 중입니다. :socialAccount 옵션을 통해 로그인하십시오.',
- 'social_account_email_in_use' => ' 이메일 :email이 이미 사용 중입니다. 이미 계정이있는 경우 프로필 설정에서 :socialAccount 계정을 연결할 수 있습니다.',
- 'social_account_existing' => ':socialAccount가 이미 프로필에 첨부되어 있습니다.',
- 'social_account_already_used_existing' => '이 :socialAccount 계정은 이미 다른 사용자가 사용하고 있습니다.',
- 'social_account_not_used' => '이 :socialAccount 계정이 모든 사용자에게 연결되어 있지 않습니다. 프로필 설정에 첨부하십시오. ',
- 'social_account_register_instructions' => '아직 계정이없는 경우 :socialAccount 옵션을 사용하여 계정을 등록 할 수 있습니다.',
- '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.',
+ 'error_user_exists_different_creds' => ':email(을)를 가진 다른 사용자가 있습니다.',
+ 'email_already_confirmed' => '확인이 끝난 메일 주소입니다. 로그인하세요.',
+ '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 서버에 접근할 수 없습니다.',
+ 'ldap_fail_authed' => '이 정보로 LDAP 서버에 접근할 수 없습니다.',
+ 'ldap_extension_not_installed' => 'PHP에 LDAP 확장 도구를 설치하세요.',
+ 'ldap_cannot_connect' => 'LDAP 서버에 연결할 수 없습니다.',
+ 'saml_already_logged_in' => '이미 로그인되어있습니다.',
+ 'saml_user_not_registered' => '사용자 이름이 등록되지 않았으며 자동 계정 등록이 활성화되지 않았습니다.',
+ 'saml_no_email_address' => '이 사용자에 대하여 외부 인증시스템에 의해 제공된 데이타 중 이메일 주소를 찾을 수 없습니다.',
+ 'saml_invalid_response_id' => '이 응용프로그램에 의해 시작된 프로세스에 의하면 외부 인증시스템으로 온 요청이 인식되지 않습니다. 인증 후에 뒤로가기 기능을 사용했을 경우 이런 현상이 발생할 수 있습니다.',
+ 'saml_fail_authed' => '시스템 로그인에 실패하였습니다. ( 해당 시스템이 인증성공값을 제공하지 않았습니다. )',
+ 'social_no_action_defined' => '무슨 활동인지 알 수 없습니다.',
+ 'social_login_bad_response' => ":socialAccount에 로그인할 수 없습니다. : \\n:error",
+ 'social_account_in_use' => ':socialAccount(을)를 가진 사용자가 있습니다. :socialAccount로 로그인하세요.',
+ 'social_account_email_in_use' => ':email(을)를 가진 사용자가 있습니다. 쓰고 있는 계정을 :socialAccount에 연결하세요.',
+ 'social_account_existing' => ':socialAccount(와)과 연결 상태입니다.',
+ 'social_account_already_used_existing' => ':socialAccount(와)과 연결한 다른 계정이 있습니다.',
+ 'social_account_not_used' => ':socialAccount(와)과 연결한 계정이 없습니다. 쓰고 있는 계정을 연결하세요.',
+ 'social_account_register_instructions' => '계정이 없어도 :socialAccount로 가입할 수 있습니다.',
+ 'social_driver_not_found' => '가입할 수 없습니다.',
+ 'social_driver_not_configured' => ':socialAccount가 유효하지 않습니다.',
+ 'invite_token_expired' => '이 링크는 더 이상 유효하지 않습니다. 비밀번호를 바꾸세요.',
// System
- 'path_not_writable' => '파일 경로 :filePath에 업로드 할 수 없습니다. 서버에 쓰기 기능이 활성화 되어있는지 확인하세요.',
- 'cannot_get_image_from_url' => ':url에서 이미지를 가져올 수 없습니다.',
- 'cannot_create_thumbs' => 'ì\84\9cë²\84ì\97\90ì\84\9c ì\8d¸ë\84¤ì\9d¼ì\9d\84 ì\83\9dì\84±í\95 ì\88\98 ì\97\86ì\8aµë\8b\88ë\8b¤. GD PHPí\99\95ì\9e¥ê¸°ë\8a¥ì\9d´ ì\84¤ì¹\98ë\90\98ì\96´ì\9e\88ë\8a\94ì§\80 í\99\95ì\9d¸하세요.',
- 'server_upload_limit' => 'í\95´ë\8b¹ í\81¬ê¸°ì\9d\98 í\8c\8cì\9d¼ì\9d\84 ì\97\85ë¡\9cë\93\9cí\95\98ë\8a\94ê²\83ì\9d´ ì\84\9cë²\84ì\97\90ì\84\9c ì \9cí\95\9cë\90©ë\8b\88ë\8b¤. í\8c\8cì\9d¼ ì\82¬ì\9d´ì¦\88를 ì\9e\91ê²\8c ì¤\84ì\9d´ê±°ë\82\98 ì\84\9cë²\84 ì\84¤ì \95ì\9d\84 ë³\80ê²½í\95\98ì\84¸ì\9a\94.',
- 'uploaded' => 'í\95´ë\8b¹ í\81¬ê¸°ì\9d\98 í\8c\8cì\9d¼ì\9d\84 ì\97\85ë¡\9cë\93\9cí\95\98ë\8a\94ê²\83ì\9d´ ì\84\9cë²\84ì\97\90ì\84\9c ì \9cí\95\9cë\90©ë\8b\88ë\8b¤. í\8c\8cì\9d¼ ì\82¬ì\9d´ì¦\88를 ì\9e\91ê²\8c ì¤\84ì\9d´ê±°ë\82\98 ì\84\9cë²\84 ì\84¤ì \95ì\9d\84 ë³\80ê²½í\95\98ì\84¸ì\9a\94.',
- 'image_upload_error' => 'ì\9d´ë¯¸ì§\80를 ì\97\85ë¡\9cë\93\9cí\95\98ë\8a\94 ì¤\91ì\97\90 ì\98¤ë¥\98ê°\80 ë°\9cì\83\9dí\96\88습니다.',
- 'image_upload_type_error' => 'ì\97\85ë¡\9cë\93\9cì¤\91ì\9d¸ ì\9d´ë¯¸ì§\80 ì\9c í\98\95ì\9d´ ì\9e\98못ë\90\98ì\97\88ì\8aµ니다.',
- 'file_upload_timeout' => '파일 업로드가 시간 초과되었습니다.',
+ 'path_not_writable' => ':filePath에 쓰는 것을 서버에서 허용하지 않습니다.',
+ 'cannot_get_image_from_url' => ':url에서 이미지를 불러올 수 없습니다.',
+ 'cannot_create_thumbs' => 'ì\84¬ë\84¤ì\9d¼ì\9d\84 못 ë§\8cë\93¤ì\97\88ì\8aµë\8b\88ë\8b¤. PHPì\97\90 GD í\99\95ì\9e¥ ë\8f\84구를 ì\84¤ì¹\98하세요.',
+ 'server_upload_limit' => 'í\8c\8cì\9d¼ í\81¬ê¸°ê°\80 ì\84\9cë²\84ì\97\90ì\84\9c í\97\88ì\9a©í\95\98ë\8a\94 ì\88\98ì¹\98를 ë\84\98ì\8aµë\8b\88ë\8b¤.',
+ 'uploaded' => 'í\8c\8cì\9d¼ í\81¬ê¸°ê°\80 ì\84\9cë²\84ì\97\90ì\84\9c í\97\88ì\9a©í\95\98ë\8a\94 ì\88\98ì¹\98를 ë\84\98ì\8aµë\8b\88ë\8b¤.',
+ 'image_upload_error' => 'ì\9d´ë¯¸ì§\80를 ì\98¬ë¦¬ë\8b¤ 문ì \9cê°\80 ì\83\9dê²¼습니다.',
+ 'image_upload_type_error' => 'ì\9c í\9a¨í\95\98ì§\80 ì\95\8aì\9d\80 ì\9d´ë¯¸ì§\80 í\98\95ì\8b\9dì\9e\85니다.',
+ 'file_upload_timeout' => '파일을 올리는 데 걸리는 시간이 서버에서 허용하는 수치를 넘습니다.',
// Attachments
- 'attachment_page_mismatch' => '첨ë¶\80 í\8c\8cì\9d¼ ì\97\85ë\8d°ì\9d´í\8a¸ ì¤\91 í\8e\98ì\9d´ì§\80 ë¶\88ì\9d¼ì¹\98í\95\98ì\98\80ì\8aµ니다.',
- 'attachment_not_found' => '첨ë¶\80 í\8c\8cì\9d¼ì\9d\84 ì°¾ì\9d\84 ì\88\98 없습니다.',
+ 'attachment_page_mismatch' => 'ì\98¬ë¦¬ë\8a\94 ì\9c\84ì¹\98ì\99\80 í\98\84ì\9e¬ 문ì\84\9cê°\80 ë\8b¤ë¦\85니다.',
+ 'attachment_not_found' => '첨ë¶\80 í\8c\8cì\9d¼ì\9d´ 없습니다.',
// Pages
- 'page_draft_autosave_fail' => 'ì´\88ì\95\88ì\9d\84 ì \80ì\9e¥í\95\98ì§\80 못í\96\88ì\8aµë\8b\88ë\8b¤. ì\9d´ í\8e\98ì\9d´ì§\80를 ì \80ì\9e¥í\95\98기 ì \84ì\97\90 ì\9d¸í\84°ë\84·ì\97\90 ì\97°ê²°ë\90\98ì\96´ ì\9e\88ë\8a\94ì§\80 í\99\95ì\9d¸í\95\98ì\8bì\8b\9cì\98¤.',
- 'page_custom_home_deletion' => '홈페이지로 설정되어있는 페이지는 삭제할 수 없습니다.',
+ 'page_draft_autosave_fail' => 'ì\93°ë\8b¤ ë§\8c 문ì\84\9c를 ì\9c ì\8b¤í\96\88ì\8aµë\8b\88ë\8b¤. ì\9d¸í\84°ë\84· ì\97°ê²° ì\83\81í\83\9c를 í\99\95ì\9d¸í\95\98ì\84¸ì\9a\94.',
+ 'page_custom_home_deletion' => '처음 페이지는 지울 수 없습니다.',
// Entities
- 'entity_not_found' => '개체(Entity)를 찾을 수 없음.',
- 'bookshelf_not_found' => 'ì±\85ê½\82ì\9d´ë¥¼ ì°¾ì\9d\84 ì\88\98 ì\97\86ì\9d\8c.',
- 'book_not_found' => 'ì±\85ì\9d\84 ì°¾ì\9d\84 ì\88\98 ì\97\86ì\9d\8c.',
- 'page_not_found' => '페이지를 찾을 수 없음.',
- 'chapter_not_found' => '챕터를 찾을 수 없음.',
- 'selected_book_not_found' => '선택한 책을 찾을 수 없습니다.',
- 'selected_book_chapter_not_found' => '선택한 책 또는 챕터를 찾을 수 없습니다.',
- 'guests_cannot_save_drafts' => '게스트는 임시저장을 할 수 없습니다.',
+ 'entity_not_found' => '항목이 없습니다.',
+ 'bookshelf_not_found' => 'ì\84\9cê°\80ê°\80 ì\97\86ì\8aµë\8b\88ë\8b¤.',
+ 'book_not_found' => 'ì±\85ì\9e\90ê°\80 ì\97\86ì\8aµë\8b\88ë\8b¤.',
+ 'page_not_found' => '문서가 없습니다.',
+ 'chapter_not_found' => '챕터가 없습니다.',
+ 'selected_book_not_found' => '고른 책자가 없습니다.',
+ 'selected_book_chapter_not_found' => '고른 책자나 챕터가 없습니다.',
+ 'guests_cannot_save_drafts' => 'Guest는 쓰다 만 문서를 보관할 수 없습니다.',
// Users
- 'users_cannot_delete_only_admin' => '어드민 계정은 삭제할 수 없습니다.',
- 'users_cannot_delete_guest' => '게스트 사용자는 삭제할 수 없습니다.',
+ 'users_cannot_delete_only_admin' => 'Admin을 삭제할 수 없습니다.',
+ 'users_cannot_delete_guest' => 'Guest를 삭제할 수 없습니다.',
// Roles
- 'role_cannot_be_edited' => '역할을 수정할 수 없습니다.',
- 'role_system_cannot_be_deleted' => 'ì\9d´ ì\97í\95 ì\9d\80 ì\8b\9cì\8a¤í\85\9c ì\97í\95 ì\9e\85ë\8b\88ë\8b¤. ì\82ì \9cí\95 수 없습니다.',
- 'role_registration_default_cannot_delete' => '이 역할은 기본 등록 역할로 설정되어있는 동안 삭제할 수 없습니다.',
- 'role_cannot_remove_only_admin' => 'This user is the only user assigned to the administrator role. Assign the administrator role to another user before attempting to remove it here.',
+ 'role_cannot_be_edited' => '권한을 수정할 수 없습니다.',
+ 'role_system_cannot_be_deleted' => 'ì\8b\9cì\8a¤í\85\9c ê¶\8cí\95\9cì\9d\84 ì§\80ì\9a¸ 수 없습니다.',
+ 'role_registration_default_cannot_delete' => '가입한 사용자의 기본 권한을 지울 수 있어야 합니다.',
+ 'role_cannot_remove_only_admin' => 'Admin을 가진 사용자가 적어도 한 명 있어야 합니다.',
// Comments
- 'comment_list' => '댓글을 가져 오는 중에 오류가 발생했습니다.',
- 'cannot_add_comment_to_draft' => 'ì´\88ì\95\88ì\97\90 주ì\84\9dì\9d\84 ì¶\94ê°\80 í\95 수 없습니다.',
- 'comment_add' => '댓글을 추가 / 업데이트하는 중에 오류가 발생했습니다.',
- 'comment_delete' => 'ë\8c\93ê¸\80ì\9d\84 ì\82ì \9cí\95\98ë\8a\94 ì¤\91ì\97\90 ì\98¤ë¥\98ê°\80 ë°\9cì\83\9dí\96\88습니다.',
- 'empty_comment' => '빈 주석을 추가 할 수 없습니다.',
+ 'comment_list' => '댓글을 가져오다 문제가 생겼습니다.',
+ 'cannot_add_comment_to_draft' => 'ì\93°ë\8b¤ ë§\8c 문ì\84\9cì\97\90 ë\8c\93ê¸\80ì\9d\84 ë\8b¬ 수 없습니다.',
+ 'comment_add' => '댓글을 등록하다 문제가 생겼습니다.',
+ 'comment_delete' => 'ë\8c\93ê¸\80ì\9d\84 ì§\80ì\9a°ë\8b¤ 문ì \9cê°\80 ì\83\9dê²¼습니다.',
+ 'empty_comment' => '빈 댓글은 등록할 수 없습니다.',
// Error pages
- '404_page_not_found' => '페이지를 찾을 수 없습니다.',
- 'sorry_page_not_found' => '죄송합니다, 찾고 있던 페이지를 찾을 수 없습니다.',
- 'return_home' => 'home으로 가기',
- 'error_occurred' => '오류가 발생하였습니다.',
- 'app_down' => ':appName가 다운되었습니다.',
- 'back_soon' => '곧 복구될 예정입니다.',
+ '404_page_not_found' => '404 Not Found',
+ 'sorry_page_not_found' => '문서를 못 찾았습니다.',
+ 'return_home' => '처음으로 돌아가기',
+ 'error_occurred' => '문제가 생겼습니다.',
+ 'app_down' => ':appName에 문제가 있는 것 같습니다',
+ 'back_soon' => '곧 되돌아갑니다.',
+
+ // API errors
+ 'api_no_authorization_found' => 'No authorization token found on the request',
+ 'api_bad_authorization_format' => 'An authorization token was found on the request but the format appeared incorrect',
+ 'api_user_token_not_found' => 'No matching API token was found for the provided authorization token',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => 'The authorization token used has expired',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
];
*/
return [
- 'password' => 'ë¹\84ë°\80ë²\88í\98¸ë\8a\94 6ì\9e\90 ì\9d´ì\83\81ì\9d´ì\96´ì\95¼ í\95\98ë©° í\99\95ì\9d¸ê³¼ ì\9d¼ì¹\98í\95´ì\95¼ í\95©ë\8b\88ë\8b¤.',
- 'user' => "해당 이메일 주소의 사용자가 없습니다.",
- 'token' => '해당 비밀번호의 초기화 토큰이 만료되었습니다.',
- 'sent' => '페스워드 초기화 링크를 메일로 보냈습니다!',
- 'reset' => '비밀번호가 초기화 되었습니다!',
+ 'password' => 'ì\97¬ë\8d\9f ê¸\80ì\9e\90를 ë\84\98ì\96´ì\95¼ í\95©ë\8b\88ë\8b¤.',
+ 'user' => "메일 주소를 가진 사용자가 없습니다.",
+ 'token' => '이 링크는 더 이상 유효하지 않습니다.',
+ 'sent' => '메일을 보냈습니다.',
+ 'reset' => '비밀번호를 바꿨습니다.',
];
// Common Messages
'settings' => '설정',
- 'settings_save' => 'ì\84¤ì \95 ì \80ì\9e¥',
- 'settings_save_success' => '설정이 저장되었습니다.',
+ 'settings_save' => 'ì \81ì\9a©',
+ 'settings_save_success' => '설정 적용함',
// App Settings
- 'app_customization' => 'Customization',
- 'app_features_security' => 'Features & Security',
- 'app_name' => '어플리케이션 이름',
- 'app_name_desc' => '해당 이름은 헤더와 모든 이메일에 표시됩니다.',
- 'app_name_header' => '헤더에 어플리케이션 이름을 표시하시겠습니까?',
- 'app_public_access' => 'Public Access',
- 'app_public_access_desc' => 'Enabling this option will allow visitors, that are not logged-in, to access content in your BookStack instance.',
- 'app_public_access_desc_guest' => 'Access for public visitors can be controlled through the "Guest" user.',
- 'app_public_access_toggle' => 'Allow public access',
- 'app_public_viewing' => '공개 보기를 허용하시겠습니까?',
- 'app_secure_images' => '더 높은 보안 이미지 업로드를 사용하시겠습니까?',
- 'app_secure_images_toggle' => 'Enable higher security image uploads',
- 'app_secure_images_desc' => '성능상의 이유로 모든 이미지를 공개합니다. 해당 옵션은 이미지 URL 앞에 추측하기 어려운 임의의 문자열을 추가합니다. 간편한 접근을 방지하기 위해 디렉토리 색인을 비활성화하십시오.',
- 'app_editor' => '페이지 에디터',
- 'app_editor_desc' => '모든 사용자가 페이지를 편집하는데 사용할 에디터를 선택하십시오.',
- 'app_custom_html' => '사용자 정의 HTML 헤드 컨텐츠',
- 'app_custom_html_desc' => '여기에 추가된 모든 내용은 모든 페이지의 <head> 섹션 아래쪽에 삽입됩니다. 이는 스타일 오버라이딩이나 분석 코드 삽입에 편리합니다.',
- 'app_custom_html_disabled_notice' => 'Custom HTML head content is disabled on this settings page to ensure any breaking changes can be reverted.',
- 'app_logo' => '어플리케이션 로고',
- 'app_logo_desc' => '해당 이미지는 반드시 높이가 43픽셀이어야 합니다. <br>대용량 이미지는 축소됩니다.',
- 'app_primary_color' => '어플리케이션 기본 색상',
- 'app_primary_color_desc' => '해당 값은 16진수이어야 합니다. <br>입력하지 않으면 기본 색상으로 재설정됩니다.',
- 'app_homepage' => '어플리케이션 홈페이지',
- 'app_homepage_desc' => '기본 화면 대신에 홈페이지에 표시할 화면을 선택하십시오. 선택된 페이지에서는 페이지 권한이 무시됩니다.',
- 'app_homepage_select' => '페이지를 선택하십시오',
- 'app_disable_comments' => '주석 비활성화',
- 'app_disable_comments_toggle' => 'Disable comments',
- 'app_disable_comments_desc' => '어플리케이션의 모든 페이지에서 주석을 비활성화합니다. 기존의 주석은 표시되지 않습니다.',
+ 'app_customization' => '맞춤',
+ 'app_features_security' => '보안',
+ 'app_name' => '사이트 제목',
+ 'app_name_desc' => '메일을 보낼 때 이 제목을 씁니다.',
+ 'app_name_header' => '사이트 헤더 사용',
+ 'app_public_access' => '사이트 공개',
+ 'app_public_access_desc' => '계정 없는 사용자가 문서를 볼 수 있습니다.',
+ 'app_public_access_desc_guest' => '이들의 권한은 사용자 이름이 Guest인 사용자로 관리할 수 있습니다.',
+ 'app_public_access_toggle' => '사이트 공개',
+ 'app_public_viewing' => '공개할 건가요?',
+ 'app_secure_images' => '이미지 주소 보호',
+ 'app_secure_images_toggle' => '이미지 주소 보호',
+ 'app_secure_images_desc' => '성능상의 문제로 이미지에 누구나 접근할 수 있기 때문에 이미지 주소를 무작위한 문자로 구성합니다. 폴더 색인을 끄세요.',
+ 'app_editor' => '에디터',
+ 'app_editor_desc' => '모든 사용자에게 적용합니다.',
+ 'app_custom_html' => '헤드 작성',
+ 'app_custom_html_desc' => '설정 페이지를 제외한 모든 페이지 head 태그 끝머리에 추가합니다.',
+ 'app_custom_html_disabled_notice' => '문제가 생겨도 설정 페이지에서 되돌릴 수 있어요.',
+ 'app_logo' => '사이트 로고',
+ 'app_logo_desc' => '높이를 43px로 구성하세요. 큰 이미지는 축소합니다.',
+ 'app_primary_color' => '사이트 색채',
+ 'app_primary_color_desc' => '16진수로 구성하세요. 비웠을 때는 기본 색채로 설정합니다.',
+ 'app_homepage' => '처음 페이지',
+ 'app_homepage_desc' => '고른 페이지에 설정한 권한은 무시합니다.',
+ 'app_homepage_select' => '문서 고르기',
+ 'app_disable_comments' => '댓글 사용 안 함',
+ 'app_disable_comments_toggle' => '댓글 사용 안 함',
+ 'app_disable_comments_desc' => '모든 페이지에서 댓글을 숨깁니다.',
+
+ // Color settings
+ 'content_colors' => '본문 색상',
+ 'content_colors_desc' => '페이지에 있는 모든 요소에 대한 색상 지정하세요. 가독성을 위해 기본 색상과 유사한 밝기를 가진 색상으로 추천됩니다.',
+ 'bookshelf_color' => '책선반 색상',
+ 'book_color' => '책 색상',
+ 'chapter_color' => '챕터 색상',
+ 'page_color' => '페이지 색상',
+ 'page_draft_color' => '드래프트 페이지 색상',
// Registration Settings
- 'reg_settings' => '등록 설정',
- 'reg_enable' => 'Enable Registration',
- 'reg_enable_toggle' => 'Enable registration',
- 'reg_enable_desc' => 'When registration is enabled user will be able to sign themselves up as an application user. Upon registration they are given a single, default user role.',
- 'reg_default_role' => '등록 후 기본 사용자 역할',
- 'reg_email_confirmation' => 'Email Confirmation',
- 'reg_email_confirmation_toggle' => 'Require email confirmation',
- 'reg_confirm_email_desc' => '도메인 제한이 사용되면 이메일 확인이 요구되며, 하단의 값은 무시됩니다.',
- 'reg_confirm_restrict_domain' => '도메인 등록 제한',
- 'reg_confirm_restrict_domain_desc' => '등록을 제한할 이메일 도메인의 목록을 쉼표로 구분하여 입력해주십시오. 사용자는 어플리케이션과의 상호작용을 허가받기 전에 이메일 주소를 확인하는 이메일을 받게 됩니다, <br> 등록이 완료된 후에는 이메일 주소를 변경할 수 있습니다.',
- 'reg_confirm_restrict_domain_placeholder' => '제한 없음 설정',
+ 'reg_settings' => '가입',
+ 'reg_enable' => '사이트 가입 허용',
+ 'reg_enable_toggle' => '사이트 가입 허용',
+ 'reg_enable_desc' => '가입한 사용자는 단일한 권한을 가집니다.',
+ 'reg_default_role' => '가입한 사용자의 기본 권한',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
+ 'reg_email_confirmation' => '메일 주소 확인',
+ 'reg_email_confirmation_toggle' => '주소 확인 요구',
+ 'reg_confirm_email_desc' => '도메인 차단을 쓰고 있으면 메일 주소를 확인해야 하고, 이 설정은 무시합니다.',
+ 'reg_confirm_restrict_domain' => '도메인 차단',
+ 'reg_confirm_restrict_domain_desc' => '쉼표로 분리해서 가입을 차단할 메일 주소 도메인을 쓰세요. 이 설정과 관계없이 사용자가 메일을 보내고, 가입한 사용자가 메일 주소를 바꿀 수 있습니다.',
+ 'reg_confirm_restrict_domain_placeholder' => '없음',
// Maintenance settings
- 'maint' => 'Maintenance',
+ 'maint' => '데이터',
'maint_image_cleanup' => '이미지 정리',
- 'maint_image_cleanup_desc' => "페이지를 스캔하여 현재 사용중인 이미지와 도면에서 수정된 내용 및 중복된 이미지를 확인합니다. 이를 실행하기 전에 전체 데이터베이스와 이미지의 백업을 작성했는지 확인하십시오.",
- 'maint_image_cleanup_ignore_revisions' => '수정본의 이미지를 무시합니다.',
- 'maint_image_cleanup_run' => '정리 실행',
- 'maint_image_cleanup_warning' => '잠재적으로 사용되지 않는 이미지를 찾았습니다. 해당 이미지들을 삭제하시겠습니까?',
- 'maint_image_cleanup_success' => ':잠재적으로 사용되지 않는 이미지들이 삭제되었습니다.',
- 'maint_image_cleanup_nothing_found' => '사용되지 않는 이미지를 찾을 수 없습니다. 아무것도 삭제되지 않았습니다.',
+ 'maint_image_cleanup_desc' => "중복한 이미지를 찾습니다. 실행하기 전에 이미지를 백업하세요.",
+ 'maint_image_cleanup_ignore_revisions' => '수정본에 있는 이미지 제외',
+ 'maint_image_cleanup_run' => '실행',
+ 'maint_image_cleanup_warning' => '이미지 :count개를 지울 건가요?',
+ 'maint_image_cleanup_success' => '이미지 :count개 삭제함',
+ 'maint_image_cleanup_nothing_found' => '삭제한 것 없음',
+ 'maint_send_test_email' => '테스트 메일 보내기',
+ 'maint_send_test_email_desc' => '프로필에 명시된 이메일주소로 테스트 메일이 전송됩니다.',
+ 'maint_send_test_email_run' => '테스트 메일 보내기',
+ 'maint_send_test_email_success' => '보낼 이메일 주소',
+ 'maint_send_test_email_mail_subject' => '테스트 메일',
+ 'maint_send_test_email_mail_greeting' => '이메일 전송이 성공하였습니다.',
+ 'maint_send_test_email_mail_text' => '축하합니다! 이 메일을 받음으로 이메일 설정이 정상적으로 되었음을 확인하였습니다.',
// Role Settings
- 'roles' => '역할',
- 'role_user_roles' => '사용자 역할',
- 'role_create' => '신규 역할 생성',
- 'role_create_success' => '역할이 생성되었습니다.',
- 'role_delete' => '역할을 삭제합니다.',
- 'role_delete_confirm' => '\':roleName\'(이)라는 이름의 역할이 삭제됩니다.',
- 'role_delete_users_assigned' => '해당 역할에 :userCount 명의 사용자가 할당되어 있습니다. 이 역할로부터 사용자를 재할당하고 싶다면 아래에서 새 역할을 선택하십시오.',
- 'role_delete_no_migration' => "사용자 재배치 안함",
- 'role_delete_sure' => '이 역할을 삭제하시겠습니까?',
- 'role_delete_success' => '역할이 삭제되었습니다.',
- 'role_edit' => '역할 편집',
- 'role_details' => '역할 상세정보',
- 'role_name' => '역할명',
- 'role_desc' => 'ì\97í\95 ì\97\90 ë\8c\80í\95\9c ê°\84ë\9eµí\95\9c ì\84¤ëª\85',
- 'role_external_auth_id' => '외부 인증 ID',
+ 'roles' => '권한',
+ 'role_user_roles' => '사용자 권한',
+ 'role_create' => '권한 만들기',
+ 'role_create_success' => '권한 만듦',
+ 'role_delete' => '권한 지우기',
+ 'role_delete_confirm' => ':roleName(을)를 지웁니다.',
+ 'role_delete_users_assigned' => '이 권한을 가진 사용자 :userCount명에 할당할 권한을 고르세요.',
+ 'role_delete_no_migration' => "할당하지 않음",
+ 'role_delete_sure' => '이 권한을 지울 건가요?',
+ 'role_delete_success' => '권한 지움',
+ 'role_edit' => '권한 수정',
+ 'role_details' => '권한 정보',
+ 'role_name' => '권한 이름',
+ 'role_desc' => '설명',
+ 'role_external_auth_id' => 'LDAP 확인',
'role_system' => '시스템 권한',
'role_manage_users' => '사용자 관리',
- 'role_manage_roles' => '역할 및 역할 권한 관리',
- 'role_manage_entity_permissions' => '모든 책, 챕터, 페이지 관리',
- 'role_manage_own_entity_permissions' => '보유한 책, 챕터, 페이지에 대한 권한 관리',
- 'role_manage_page_templates' => 'Manage page templates',
- 'role_manage_settings' => '어플리케이선 설정 관리',
- 'role_asset' => '자산 관리',
- 'role_asset_desc' => '해당 권한들은 시스템 내의 Assets 파일에 대한 기본적인 접근을 제어합니다.',
- 'role_asset_admins' => '관리자는 모든 컨텐츠에 대한 접근 권한을 자동으로 부여받지만, 해당 옵션들은 UI 옵션을 표시하거나 숨길 수 있습니다.',
- 'role_all' => '전체',
- 'role_own' => '보유한 것만',
- 'role_controlled_by_asset' => '업로드된 Assets 파일에 의해 제어됩니다.',
- 'role_save' => '역할 저장',
- 'role_update_success' => '역할이 업데이트되었습니다.',
- 'role_users' => '해당 역할의 사용자',
- 'role_users_none' => '현재 이 역할에 할당된 사용자가 없습니다.',
+ 'role_manage_roles' => '권한 관리',
+ 'role_manage_entity_permissions' => '문서별 권한 관리',
+ 'role_manage_own_entity_permissions' => '직접 만든 문서별 권한 관리',
+ 'role_manage_page_templates' => '템플릿 관리',
+ 'role_access_api' => 'Access system API',
+ 'role_manage_settings' => '사이트 설정 관리',
+ 'role_asset' => '권한 항목',
+ 'role_asset_desc' => '책자, 챕터, 문서별 권한은 이 설정에 우선합니다.',
+ 'role_asset_admins' => 'Admin 권한은 어디든 접근할 수 있지만 이 설정은 사용자 인터페이스에서 해당 활동을 표시할지 결정합니다.',
+ 'role_all' => '모든 항목',
+ 'role_own' => '직접 만든 항목',
+ 'role_controlled_by_asset' => '저마다 다름',
+ 'role_save' => '저장',
+ 'role_update_success' => '권한 저장함',
+ 'role_users' => '이 권한을 가진 사용자들',
+ 'role_users_none' => '그런 사용자가 없습니다.',
// Users
'users' => '사용자',
'user_profile' => '사용자 프로필',
- 'users_add_new' => '사용자 추가',
+ 'users_add_new' => '사용자 만들기',
'users_search' => '사용자 검색',
- 'users_details' => 'User Details',
- 'users_details_desc' => 'Set a display name and an email address for this user. The email address will be used for logging into the application.',
- 'users_details_desc_no_email' => 'Set a display name for this user so others can recognise them.',
- 'users_role' => '사용자 역할',
- 'users_role_desc' => 'Select which roles this user will be assigned to. If a user is assigned to multiple roles the permissions from those roles will stack and they will receive all abilities of the assigned roles.',
- 'users_password' => 'User Password',
- 'users_password_desc' => 'Set a password used to log-in to the application. This must be at least 6 characters long.',
- 'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
- 'users_send_invite_option' => 'Send user invite email',
- 'users_external_auth_id' => '외부 인증 ID',
- 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your LDAP system.',
- 'users_password_warning' => 'ë¹\84ë°\80ë²\88í\98¸ë¥¼ ë³\80ê²½í\95\98ì\8b\9cë ¤ë©´ ë\8b¤ì\9d\8cì\9d\84 ì\9e\85ë ¥í\95\98ì\8bì\8b\9cì\98¤:',
- 'users_system_public' => '이 사용자는 당신의 인스턴스를 방문하는 게스트 사용자를 나타냅니다. 로그인하는 데는 사용할 수 없지만 자동으로 할당됩니다.',
+ 'users_details' => '사용자 정보',
+ 'users_details_desc' => '메일 주소로 로그인합니다.',
+ 'users_details_desc_no_email' => '사용자 이름을 바꿉니다.',
+ 'users_role' => '사용자 권한',
+ 'users_role_desc' => '고른 권한 모두를 적용합니다.',
+ 'users_password' => '비밀번호',
+ 'users_password_desc' => '여섯 글자를 넘어야 합니다.',
+ 'users_send_invite_text' => '비밀번호 설정을 권유하는 메일을 보내거나 내가 정할 수 있습니다.',
+ 'users_send_invite_option' => '메일 보내기',
+ 'users_external_auth_id' => 'LDAP 확인',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
+ 'users_password_warning' => 'ë¹\84ë°\80ë²\88í\98¸ë¥¼ ë°\94ê¿\80 ë\95\8cë§\8c ì\93°ì\84¸ì\9a\94.',
+ 'users_system_public' => '계정 없는 모든 사용자에 할당한 사용자입니다. 이 사용자로 로그인할 수 없어요.',
'users_delete' => '사용자 삭제',
- 'users_delete_named' => '사용자 :userName 삭제',
- 'users_delete_warning' => '시스템에서 \':userName\'(이)라는 사용자가 완전히 삭제됩니다.',
- 'users_delete_confirm' => 'ì\9d´ ì\82¬ì\9a©ì\9e\90를 ì\82ì \9cí\95\98ì\8b\9cê² ì\8aµë\8b\88ê¹\8c?',
- 'users_delete_success' => '사용자가 삭제되었습니다.',
- 'users_edit' => '사용자 편집',
- 'users_edit_profile' => '프로필 편집',
- 'users_edit_success' => '사용자가 업데이트되었습니다.',
- 'users_avatar' => 'ì\82¬ì\9a©ì\9e\90 ì\95\84ë°\94í\83\80',
- 'users_avatar_desc' => '해당 이미지는 256픽셀의 정사각형 이미지여야합니다.',
- 'users_preferred_language' => 'ì\84 í\98¸í\95\98ë\8a\94 ì\96¸ì\96´',
- 'users_preferred_language_desc' => 'This option will change the language used for the user-interface of the application. This will not affect any user-created content.',
+ 'users_delete_named' => ':userName 삭제',
+ 'users_delete_warning' => ':userName에 관한 데이터를 지웁니다.',
+ 'users_delete_confirm' => 'ì\9d´ ì\82¬ì\9a©ì\9e\90를 ì§\80ì\9a¸ ê±´ê°\80ì\9a\94?',
+ 'users_delete_success' => '사용자 삭제함',
+ 'users_edit' => '사용자 수정',
+ 'users_edit_profile' => '프로필 바꾸기',
+ 'users_edit_success' => '프로필 바꿈',
+ 'users_avatar' => 'í\94\84ë¡\9cí\95\84 ì\9d´ë¯¸ì§\80',
+ 'users_avatar_desc' => '이미지 규격은 256x256px 내외입니다.',
+ 'users_preferred_language' => '언어',
+ 'users_preferred_language_desc' => '문서 내용에는 아무런 영향을 주지 않습니다.',
'users_social_accounts' => '소셜 계정',
- 'users_social_accounts_info' => 'ì\97¬ê¸°ì\97\90ì\84\9c ë\8b¤ë¥¸ ê³\84ì \95ì\9d\84 ì\97°ê²°í\95\98ì\97¬ ë\8d\94 ë¹ ë¥´ê³ ì\89½ê²\8c ë¡\9cê·¸ì\9d¸í\95 ì\88\98 ì\9e\88ì\8aµë\8b\88ë\8b¤. ì\97¬ê¸°ì\97\90ì\84\9c ê³\84ì \95 ì\97°ê²°ì\9d\84 í\95´ì \9cí\95\98ë©´ ì\9d´ì \84ì\97\90 ì\8a¹ì\9d¸ë\90\9c ì \91ê·¼ì\9d´ ì \9cê³µë\90\98ì§\80 ì\95\8aì\8aµë\8b\88ë\8b¤ ì\97°ê²°ë\90\9c ì\86\8cì\85\9c ê³\84ì \95ì\9d\98 í\94\84ë¡\9cí\95\84 ì\84¤ì \95ì\97\90ì\84\9c ì \91ê·¼ ê¶\8cí\95\9cì\9d\84 ì·¨ì\86\8cí\95\98ì\8bì\8b\9cì\98¤.',
+ 'users_social_accounts_info' => 'ë\8b¤ë¥¸ ê³\84ì \95ì\9c¼ë¡\9c ê°\84ë\8b¨í\95\98ê²\8c ë¡\9cê·¸ì\9d¸í\95\98ì\84¸ì\9a\94. ì\97¬ê¸°ì\97\90ì\84\9c ê³\84ì \95 ì\97°ê²°ì\9d\84 ë\81\8aë\8a\94 ê²\83ê³¼ ì\86\8cì\85\9c ê³\84ì \95ì\97\90ì\84\9c ì \91ê·¼ ê¶\8cí\95\9cì\9d\84 ì·¨ì\86\8cí\95\98ë\8a\94 ê²\83ì\9d\80 ë³\84ê°\9cì\9e\85ë\8b\88ë\8b¤.',
'users_social_connect' => '계정 연결',
- 'users_social_disconnect' => '계정 연결 해제',
- 'users_social_connected' => ':socialAccount 계정이 당신의 프로필에 연결되었습니다.',
- 'users_social_disconnected' => ':socialAccount 계정이 당신의 프로필에서 연결해제되었습니다.',
+ 'users_social_disconnect' => '계정 연결 끊기',
+ 'users_social_connected' => ':socialAccount(와)과 연결했습니다.',
+ 'users_social_disconnected' => ':socialAccount(와)과의 연결을 끊었습니다.',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'No API tokens have been created for this user',
+ 'users_api_tokens_create' => 'Create Token',
+ 'users_api_tokens_expires' => 'Expires',
+ 'users_api_tokens_docs' => 'API Documentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Create API Token',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Token Created :timeAgo',
+ 'user_api_token_updated' => 'Token Updated :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
return [
// Standard laravel validation lines
- 'accepted' => ':attribute가 반드시 허용되어야 합니다.',
- 'active_url' => ':attribute가 올바른 URL이 아닙니다.',
- 'after' => ':attribute는 :date이후 날짜여야 합니다.',
- 'alpha' => ':attribute는 문자만 포함해야 합니다.',
- 'alpha_dash' => ':attribute는 문자, 숫자, 대시만 포함해야 합니다.',
- 'alpha_num' => ':attribute는 문자와 숫자만 포함됩니다.',
- 'array' => ':attribute는 배열이어야 합니다.',
- 'before' => ':attribute는 :date이전 날짜여야 합니다.',
+ 'accepted' => ':attribute(을)를 허용하세요.',
+ 'active_url' => ':attribute(을)를 유효한 주소로 구성하세요.',
+ 'after' => ':attribute(을)를 :date 후로 설정하세요.',
+ 'alpha' => ':attribute(을)를 문자로만 구성하세요.',
+ 'alpha_dash' => ':attribute(을)를 문자, 숫자, -, _로만 구성하세요.',
+ 'alpha_num' => ':attribute(을)를 문자, 숫자로만 구성하세요.',
+ 'array' => ':attribute(을)를 배열로 구성하세요.',
+ 'before' => ':attribute(을)를 :date 전으로 설정하세요.',
'between' => [
- 'numeric' => ':attribute는 반드시 :min이상 :max이하여야 합니다.',
- 'file' => ':attribute는 반드시 :min이상 :max kilobytes이하여야 합니다.',
- 'string' => ':attribute는 반드시 :min이상 :max 문자 이하여야 합니다.',
- 'array' => ':attribute는 반드시 :min이상 :max이하 항목이어야 합니다.',
+ 'numeric' => ':attribute(을)를 :min~:max(으)로 구성하세요.',
+ 'file' => ':attribute(을)를 :min~:max킬로바이트로 구성하세요.',
+ 'string' => ':attribute(을)를 :min~:max바이트로 구성하세요.',
+ 'array' => ':attribute(을)를 :min~:max개로 구성하세요.',
],
- 'boolean' => ':attribute 는 true혹은 false값만 가능합니다.',
- 'confirmed' => ':attribute 확인이 일치하지 않습니다.',
- 'date' => ':attribute 는 잘못된 날짜입니다.',
- 'date_format' => ':attribute 이 :format 포멧과 일치하지 않습니다.',
- 'different' => ':attribute 와 :other는 반드시 달라야 합니다.',
- 'digits' => ':attribute 는 반드시 :digits 숫자(digit)여야 합니다.',
- 'digits_between' => ':attribute 는 반드시 :min이상 :max이하 숫자여야 합니다.',
- 'email' => ':attribute 는 반드시 이메일 이어야 합니다.',
- 'ends_with' => 'The :attribute must end with one of the following: :values',
- 'filled' => ':attribute 항목이 꼭 필요합니다.',
+ 'boolean' => ':attribute(을)를 true나 false로만 구성하세요.',
+ 'confirmed' => ':attribute(와)과 다릅니다.',
+ 'date' => ':attribute(을)를 유효한 날짜로 구성하세요.',
+ 'date_format' => ':attribute(은)는 :format(와)과 다릅니다.',
+ 'different' => ':attribute(와)과 :other(을)를 다르게 구성하세요.',
+ 'digits' => ':attribute(을)를 :digits자리로 구성하세요.',
+ 'digits_between' => ':attribute(을)를 :min~:max자리로 구성하세요.',
+ 'email' => ':attribute(을)를 유효한 메일 주소로 구성하세요.',
+ 'ends_with' => ':attribute(을)를 :values(으)로 끝나게 구성하세요.',
+ 'filled' => ':attribute(을)를 구성하세요.',
'gt' => [
- 'numeric' => 'The :attribute must be greater than :value.',
- 'file' => 'The :attribute must be greater than :value kilobytes.',
- 'string' => 'The :attribute must be greater than :value characters.',
- 'array' => 'The :attribute must have more than :value items.',
+ 'numeric' => ':attribute(을)를 :value(이)가 넘게 구성하세요.',
+ 'file' => ':attribute(을)를 :value킬로바이트가 넘게 구성하세요.',
+ 'string' => ':attribute(을)를 :value바이트가 넘게 구성하세요.',
+ 'array' => ':attribute(을)를 :value개가 넘게 구성하세요.',
],
'gte' => [
- 'numeric' => 'The :attribute must be greater than or equal :value.',
- 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
- 'string' => 'The :attribute must be greater than or equal :value characters.',
- 'array' => 'The :attribute must have :value items or more.',
+ 'numeric' => ':attribute(을)를 적어도 :value(으)로 구성하세요.',
+ 'file' => ':attribute(을)를 적어도 :value킬로바이트로 구성하세요.',
+ 'string' => ':attribute(을)를 적어도 :value바이트로 구성하세요.',
+ 'array' => ':attribute(을)를 적어도 :value개로 구성하세요..',
],
- 'exists' => '선택된 :attribute 은(는) 사용 불가합니다.',
- 'image' => ':attribute 는 반드시 이미지여야 합니다.',
- 'image_extension' => 'The :attribute must have a valid & supported image extension.',
- 'in' => '선택된 :attribute 은(는) 사용 불가합니다.',
- 'integer' => ':attribute 는 반드시(integer)여야 합니다.',
- 'ip' => ':attribute 는 반드시 IP주소 여야 합니다.',
- 'ipv4' => 'The :attribute must be a valid IPv4 address.',
- 'ipv6' => 'The :attribute must be a valid IPv6 address.',
- 'json' => 'The :attribute must be a valid JSON string.',
+ 'exists' => '고른 :attribute(이)가 유효하지 않습니다.',
+ 'image' => ':attribute(을)를 이미지로 구성하세요.',
+ 'image_extension' => ':attribute(을)를 유효한 이미지 확장자로 구성하세요.',
+ 'in' => '고른 :attribute(이)가 유효하지 않습니다.',
+ 'integer' => ':attribute(을)를 정수로 구성하세요.',
+ 'ip' => ':attribute(을)를 유효한 IP 주소로 구성하세요.',
+ 'ipv4' => ':attribute(을)를 유효한 IPv4 주소로 구성하세요.',
+ 'ipv6' => ':attribute(을)를 유효한 IPv6 주소로 구성하세요.',
+ 'json' => ':attribute(을)를 유효한 JSON으로 구성하세요.',
'lt' => [
- 'numeric' => 'The :attribute must be less than :value.',
- 'file' => 'The :attribute must be less than :value kilobytes.',
- 'string' => 'The :attribute must be less than :value characters.',
- 'array' => 'The :attribute must have less than :value items.',
+ 'numeric' => ':attribute(을)를 :value(이)가 안 되게 구성하세요.',
+ 'file' => ':attribute(을)를 :value킬로바이트가 안 되게 구성하세요.',
+ 'string' => ':attribute(을)를 :value바이트가 안 되게 구성하세요.',
+ 'array' => ':attribute(을)를 :value개가 안 되게 구성하세요.',
],
'lte' => [
- 'numeric' => 'The :attribute must be less than or equal :value.',
- 'file' => 'The :attribute must be less than or equal :value kilobytes.',
- 'string' => 'The :attribute must be less than or equal :value characters.',
- 'array' => 'The :attribute must not have more than :value items.',
+ 'numeric' => ':attribute(을)를 많아야 :max(으)로 구성하세요.',
+ 'file' => ':attribute(을)를 많아야 :max킬로바이트로 구성하세요.',
+ 'string' => ':attribute(을)를 많아야 :max바이트로 구성하세요.',
+ 'array' => ':attribute(을)를 많아야 :max개로 구성하세요.',
],
'max' => [
- 'numeric' => ':attribute :max 보다 크면 안됩니다.',
- 'file' => ':attribute :max kilobytes보다 크면 안됩니다.',
- 'string' => ':attribute :max 문자보다 길면 안됩니다.',
- 'array' => ':attribute :max 를 초과하면 안됩니다.',
+ 'numeric' => ':attribute(을)를 많아야 :max(으)로 구성하세요.',
+ 'file' => ':attribute(을)를 많아야 :max킬로바이트로 구성하세요.',
+ 'string' => ':attribute(을)를 많아야 :max바이트로 구성하세요.',
+ 'array' => ':attribute(을)를 많아야 :max개로 구성하세요.',
],
- 'mimes' => ':attribute 은(는) 반드시 :values 타입이어야 합니다.',
+ 'mimes' => ':attribute(을)를 :values 형식으로 구성하세요.',
'min' => [
- 'numeric' => ':attribute 은(는) 최소한 :min 이어야 합니다.',
- 'file' => ':attribute 은(는) 최소한 :min kilobytes여야 합니다.',
- 'string' => ':attribute 은(는) 최소한 :min 개 문자여야 합니다.',
- 'array' => ':attribute 은(는) 적어도 :min 개의 항목이어야 합니다.',
+ 'numeric' => ':attribute(을)를 적어도 :value(으)로 구성하세요.',
+ 'file' => ':attribute(을)를 적어도 :value킬로바이트로 구성하세요.',
+ 'string' => ':attribute(을)를 적어도 :value바이트로 구성하세요.',
+ 'array' => ':attribute(을)를 적어도 :value개로 구성하세요..',
],
- 'no_double_extension' => 'The :attribute must only have a single file extension.',
- 'not_in' => '선택된 :attribute 는 사용할 수 없습니다',
- 'not_regex' => 'The :attribute format is invalid.',
- 'numeric' => ':attribute 반드시 숫자여야 합니다.',
- 'regex' => ':attribute 포멧이 잘못되었습니다.',
- 'required' => ':attribute 항목은 필수입니다..',
- 'required_if' => ':attribute 은(는) :other 가 :value 일때 필수항목입니다.',
- 'required_with' => ':attribute 은(는) :values 가 있을때 필수항목입니다.',
- 'required_with_all' => ':attribute 은(는) :values 가 있을때 필수항목입니다.',
- 'required_without' => ':attribute 은(는) :values 가 없을때 필수항목입니다.',
- 'required_without_all' => ':attribute 은(는) :values 가 전혀 없을때 필수항목입니다.',
- 'same' => ':attribute 와 :other 은(는) 반드시 일치해야합니다.',
+ 'no_double_extension' => ':attribute(이)가 단일한 확장자를 가져야 합니다.',
+ 'not_in' => '고른 :attribute(이)가 유효하지 않습니다.',
+ 'not_regex' => ':attribute(은)는 유효하지 않은 형식입니다.',
+ 'numeric' => ':attribute(을)를 숫자로만 구성하세요.',
+ 'regex' => ':attribute(은)는 유효하지 않은 형식입니다.',
+ 'required' => ':attribute(을)를 구성하세요.',
+ 'required_if' => ':other(이)가 :value일 때 :attribute(을)를 구성해야 합니다.',
+ 'required_with' => ':values(이)가 있을 때 :attribute(을)를 구성해야 합니다.',
+ 'required_with_all' => ':values(이)가 모두 있을 때 :attribute(을)를 구성해야 합니다.',
+ 'required_without' => ':values(이)가 없을 때 :attribute(을)를 구성해야 합니다.',
+ 'required_without_all' => ':values(이)가 모두 없을 때 :attribute(을)를 구성해야 합니다.',
+ 'same' => ':attribute(와)과 :other(을)를 똑같이 구성하세요.',
'size' => [
- 'numeric' => ':attribute 은(는) :size 여야합니다.',
- 'file' => ':attribute 은(는) :size kilobytes여야합니다.',
- 'string' => ':attribute 은(는) :size 문자여야합니다.',
- 'array' => ':attribute 은(는) :size 개 항목을 포함해야 합니다.',
+ 'numeric' => ':attribute(을)를 :size(으)로 구성하세요.',
+ 'file' => ':attribute(을)를 :size킬로바이트로 구성하세요.',
+ 'string' => ':attribute(을)를 :size바이트로 구성하세요.',
+ 'array' => ':attribute(을)를 :size개로 구성하세요..',
],
- 'string' => ':attribute 문자열이어야 합니다.',
- 'timezone' => ':attribute 정상적인 지역(zone)이어야 합니다.',
- 'unique' => ':attribute 은(는) 이미 사용중입니다..',
- 'url' => ':attribute 포멧이 사용 불가합니다.',
- 'uploaded' => 'The file could not be uploaded. The server may not accept files of this size.',
+ 'string' => ':attribute(을)를 문자로 구성하세요.',
+ 'timezone' => ':attribute(을)를 유효한 시간대로 구성하세요.',
+ 'unique' => ':attribute(은)는 이미 있습니다.',
+ 'url' => ':attribute(은)는 유효하지 않은 형식입니다.',
+ 'uploaded' => '파일 크기가 서버에서 허용하는 수치를 넘습니다.',
// Custom validation lines
'custom' => [
'password-confirm' => [
- 'required_with' => '비밀번호 확인이 필요합니다.',
+ 'required_with' => '같은 비밀번호를 다시 입력하세요.',
],
],
// Login & Register
'sign_up' => 'Registreren',
- 'log_in' => 'Log in',
+ 'log_in' => 'Inloggen',
'log_in_with' => 'Login met :socialDriver',
'sign_up_with' => 'Registreer met :socialDriver',
'logout' => 'Uitloggen',
'name' => 'Naam',
'username' => 'Gebruikersnaam',
- 'email' => 'Email',
+ 'email' => 'E-mail',
'password' => 'Wachtwoord',
'password_confirm' => 'Wachtwoord Bevestigen',
'password_hint' => 'Minimaal 8 tekens',
'remember_me' => 'Mij onthouden',
'ldap_email_hint' => 'Geef een email op waarmee je dit account wilt gebruiken.',
'create_account' => 'Account Aanmaken',
- 'already_have_account' => 'Already have an account?',
- 'dont_have_account' => 'Don\'t have an account?',
- 'social_login' => 'Social Login',
+ 'already_have_account' => 'Heb je al een account?',
+ 'dont_have_account' => 'Nog geen account?',
+ 'social_login' => 'Aanmelden via een sociaal netwerk',
'social_registration' => 'Social Registratie',
'social_registration_text' => 'Registreer en log in met een andere dienst.',
'email_not_confirmed_resend_button' => 'Bevestigingsmail Opnieuw Verzenden',
// User Invite
- 'user_invite_email_subject' => 'You have been invited to join :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_action' => 'Set Account Password',
- '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_success' => 'Password set, you now have access to :appName!'
+ 'user_invite_email_subject' => 'Je bent uitgenodigd voor :appName!',
+ 'user_invite_email_greeting' => 'Er is een account voor je aangemaakt op :appName.',
+ 'user_invite_email_text' => 'Klik op de onderstaande knop om een account wachtwoord in te stellen en toegang te krijgen:',
+ 'user_invite_email_action' => 'Account wachtwoord instellen',
+ 'user_invite_page_welcome' => 'Welkom bij :appName!',
+ 'user_invite_page_text' => 'Om je account af te ronden en toegang te krijgen moet je een wachtwoord instellen dat gebruikt wordt om in te loggen op :appName bij toekomstige bezoeken.',
+ 'user_invite_page_confirm_button' => 'Bevestig wachtwoord',
+ 'user_invite_success' => 'Wachtwoord ingesteld, je hebt nu toegang tot :appName!'
];
\ No newline at end of file
'view' => 'Bekijk',
'view_all' => 'Bekijk Alle',
'create' => 'Aanmaken',
- 'update' => 'Update',
+ 'update' => 'Bijwerken',
'edit' => 'Bewerk',
'sort' => 'Sorteer',
'move' => 'Verplaats',
'reset' => 'Reset',
'remove' => 'Verwijderen',
'add' => 'Toevoegen',
+ 'fullscreen' => 'Volledig scherm',
// Sort Options
- 'sort_options' => 'Sort Options',
- 'sort_direction_toggle' => 'Sort Direction Toggle',
- 'sort_ascending' => 'Sort Ascending',
- 'sort_descending' => 'Sort Descending',
+ 'sort_options' => 'Sorteeropties',
+ 'sort_direction_toggle' => 'Sorteer richting',
+ 'sort_ascending' => 'Sorteer oplopend',
+ 'sort_descending' => 'Sorteer teruglopend',
'sort_name' => 'Naam',
'sort_created_at' => 'Aanmaakdatum',
'sort_updated_at' => 'Gewijzigd op',
'grid_view' => 'Grid weergave',
'list_view' => 'Lijst weergave',
'default' => 'Standaard',
- 'breadcrumb' => 'Breadcrumb',
+ 'breadcrumb' => 'Kruimelpad',
// Header
- 'profile_menu' => 'Profile Menu',
+ 'profile_menu' => 'Profiel menu',
'view_profile' => 'Profiel Weergeven',
'edit_profile' => 'Profiel Bewerken',
return [
// Image Manager
- 'image_select' => 'Selecteer Afbeelding',
+ 'image_select' => 'Afbeelding selecteren',
'image_all' => 'Alles',
'image_all_title' => 'Alle afbeeldingen weergeven',
'image_book_title' => 'Afbeeldingen van dit boek weergeven',
'image_page_title' => 'Afbeeldingen van deze pagina weergeven',
'image_search_hint' => 'Zoek op afbeeldingsnaam',
- 'image_uploaded' => 'Uploaded :uploadedDate',
+ 'image_uploaded' => 'Geüpload :uploadedDate',
'image_load_more' => 'Meer Laden',
'image_image_name' => 'Afbeeldingsnaam',
'image_delete_used' => 'Deze afbeeldingen is op onderstaande pagina\'s in gebruik.',
'image_upload_success' => 'Afbeelding succesvol geüpload',
'image_update_success' => 'Afbeeldingsdetails succesvol verwijderd',
'image_delete_success' => 'Afbeelding succesvol verwijderd',
- 'image_upload_remove' => 'Remove',
+ 'image_upload_remove' => 'Verwijderen',
// Code Editor
'code_editor' => 'Code invoegen',
'email_already_confirmed' => 'Het e-mailadres is al bevestigd. Probeer in te loggen.',
'email_confirmation_invalid' => 'Deze bevestigingstoken is ongeldig, Probeer opnieuw te registreren.',
'email_confirmation_expired' => 'De bevestigingstoken is verlopen, Een nieuwe bevestigingsmail is verzonden.',
+ 'email_confirmation_awaiting' => 'The email address for the account in use needs to be confirmed',
'ldap_fail_anonymous' => 'LDAP toegang kon geen \'anonymous bind\' uitvoeren',
'ldap_fail_authed' => 'LDAP toegang was niet mogelijk met de opgegeven dn & wachtwoord',
- 'ldap_extension_not_installed' => 'LDAP PHP extension not installed',
+ 'ldap_extension_not_installed' => 'LDAP PHP-extensie is niet geïnstalleerd',
'ldap_cannot_connect' => 'Kon niet met de LDAP server verbinden',
+ 'saml_already_logged_in' => 'Al ingelogd',
+ 'saml_user_not_registered' => 'De gebruiker: naam is niet geregistreerd en automatische registratie is uitgeschakeld',
+ 'saml_no_email_address' => 'Kan geen e-mailadres voor deze gebruiker vinden in de gegevens die door het externe verificatiesysteem worden verstrekt',
+ 'saml_invalid_response_id' => 'Het verzoek van het externe verificatiesysteem is niet herkend door een door deze applicatie gestart proces. Het terug navigeren na een login kan dit probleem veroorzaken.',
+ 'saml_fail_authed' => 'Inloggen met :system mislukt, het systeem gaf geen succesvolle autorisatie',
'social_no_action_defined' => 'Geen actie gedefineerd',
- 'social_login_bad_response' => "Error received during :socialAccount login: \n:error",
+ 'social_login_bad_response' => "Fout ontvangen tijdens :socialAccount login: \n:error",
'social_account_in_use' => 'Dit :socialAccount account is al in gebruik, Probeer in te loggen met de :socialAccount optie.',
'social_account_email_in_use' => 'Het e-mailadres :email is al in gebruik. Als je al een account hebt kun je een :socialAccount account verbinden met je profielinstellingen.',
'social_account_existing' => 'Dit :socialAccount is al gekoppeld aan een profiel.',
'social_account_register_instructions' => 'Als je nog geen account hebt kun je je registreren met de :socialAccount optie.',
'social_driver_not_found' => 'Social driver niet gevonden',
'social_driver_not_configured' => 'Je :socialAccount instellingen zijn correct geconfigureerd.',
- 'invite_token_expired' => 'This invitation link has expired. You can instead try to reset your account password.',
+ 'invite_token_expired' => 'Deze uitnodigingslink is verlopen. U kunt in plaats daarvan proberen uw wachtwoord opnieuw in te stellen.',
// System
'path_not_writable' => 'Bestand :filePath kon niet geupload worden. Zorg dat je schrijfrechten op de server hebt.',
'cannot_get_image_from_url' => 'Kon geen afbeelding genereren van :url',
'cannot_create_thumbs' => 'De server kon geen thumbnails maken. Controleer of je de GD PHP extensie geïnstalleerd hebt.',
'server_upload_limit' => 'Het afbeeldingsformaat is te groot. Probeer een kleinere bestandsgrootte.',
- 'uploaded' => 'The server does not allow uploads of this size. Please try a smaller file size.',
+ 'uploaded' => 'Server staat geen uploads van deze grootte toe. Probeer een kleinere grootte van het bestand.',
'image_upload_error' => 'Er ging iets fout bij het uploaden van de afbeelding',
- 'image_upload_type_error' => 'The image type being uploaded is invalid',
+ 'image_upload_type_error' => 'Het afbeeldingstype dat wordt geüpload is ongeldig',
'file_upload_timeout' => 'Het uploaden van het bestand is verlopen.',
// Attachments
'attachment_page_mismatch' => 'Bij het bijwerken van de bijlage bleek de pagina onjuist',
- 'attachment_not_found' => 'Attachment not found',
+ 'attachment_not_found' => 'Bijlage niet gevonden',
// Pages
'page_draft_autosave_fail' => 'Kon het concept niet opslaan. Zorg ervoor dat je een werkende internetverbinding hebt.',
- 'page_custom_home_deletion' => 'Cannot delete a page while it is set as a homepage',
+ 'page_custom_home_deletion' => 'Kan geen pagina verwijderen terwijl deze is ingesteld als een homepage',
// Entities
'entity_not_found' => 'Entiteit niet gevonden',
- 'bookshelf_not_found' => 'Bookshelf not found',
+ 'bookshelf_not_found' => 'Boekenplank niet gevonden',
'book_not_found' => 'Boek niet gevonden',
'page_not_found' => 'Pagina niet gevonden',
'chapter_not_found' => 'Hoofdstuk niet gevonden',
'role_cannot_be_edited' => 'Deze rol kan niet bewerkt worden',
'role_system_cannot_be_deleted' => 'Dit is een systeemrol en kan niet verwijderd worden',
'role_registration_default_cannot_delete' => 'Deze rol kan niet verwijerd worden zolang dit de standaardrol na registratie is.',
- 'role_cannot_remove_only_admin' => 'This user is the only user assigned to the administrator role. Assign the administrator role to another user before attempting to remove it here.',
+ 'role_cannot_remove_only_admin' => 'Deze gebruiker is de enige gebruiker die is toegewezen aan de beheerdersrol. Wijs de beheerdersrol toe aan een andere gebruiker voordat u probeert deze hier te verwijderen.',
// Comments
'comment_list' => 'Er is een fout opgetreden tijdens het ophalen van de reacties.',
'app_down' => ':appName is nu niet beschikbaar',
'back_soon' => 'Komt snel weer online.',
+ // API errors
+ 'api_no_authorization_found' => 'No authorization token found on the request',
+ 'api_bad_authorization_format' => 'An authorization token was found on the request but the format appeared incorrect',
+ 'api_user_token_not_found' => 'No matching API token was found for the provided authorization token',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => 'The authorization token used has expired',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
// Common Messages
'settings' => 'Instellingen',
- 'settings_save' => 'Instellingen Opslaan',
+ 'settings_save' => 'Instellingen opslaan',
'settings_save_success' => 'Instellingen Opgeslagen',
// App Settings
- 'app_customization' => 'Customization',
- 'app_features_security' => 'Features & Security',
+ 'app_customization' => 'Aanpassingen',
+ 'app_features_security' => 'Functies en beveiliging',
'app_name' => 'Applicatienaam',
'app_name_desc' => 'De applicatienaam wordt in e-mails in in de header weergegeven.',
'app_name_header' => 'Applicatienaam in de header weergeven?',
- 'app_public_access' => 'Public Access',
- 'app_public_access_desc' => 'Enabling this option will allow visitors, that are not logged-in, to access content in your BookStack instance.',
- 'app_public_access_desc_guest' => 'Access for public visitors can be controlled through the "Guest" user.',
- 'app_public_access_toggle' => 'Allow public access',
+ 'app_public_access' => 'Openbare toegang',
+ 'app_public_access_desc' => 'Door deze optie in te schakelen, krijgen bezoekers die niet zijn ingelogd, toegang tot content in je BookStack.',
+ 'app_public_access_desc_guest' => 'Toegang voor openbare bezoekers kan worden gecontroleerd via de "Guest" gebruiker.',
+ 'app_public_access_toggle' => 'Openbare toegang toestaan',
'app_public_viewing' => 'Publieke bewerkingen toestaan?',
'app_secure_images' => 'Beter beveiligide afbeeldingen gebruiken?',
- 'app_secure_images_toggle' => 'Enable higher security image uploads',
+ 'app_secure_images_toggle' => 'Hogere beveiliging geuploade afbeeldingen inschakelen',
'app_secure_images_desc' => 'Omwille van de performance zijn alle afbeeldingen publiek toegankelijk. Zorg ervoor dat je de \'directory index\' niet hebt ingeschakeld.',
'app_editor' => 'Pagina Bewerken',
'app_editor_desc' => 'Selecteer welke tekstverwerker je wilt gebruiken.',
'app_custom_html' => 'Speciale HTML toevoegen',
'app_custom_html_desc' => 'Alles wat je hier toevoegd wordt in de <head> sectie van elke pagina meengenomen. Dit kun je bijvoorbeeld voor analytics gebruiken.',
- 'app_custom_html_disabled_notice' => 'Custom HTML head content is disabled on this settings page to ensure any breaking changes can be reverted.',
+ 'app_custom_html_disabled_notice' => 'Aangepaste HTML-hoofd-inhoud is uitgeschakeld op deze instellingenpagina om ervoor te zorgen dat breekbare wijzigingen ongedaan gemaakt kunnen worden.',
'app_logo' => 'Applicatielogo',
'app_logo_desc' => 'De afbeelding moet 43px hoog zijn. <br>Grotere afbeeldingen worden geschaald.',
'app_primary_color' => 'Applicatie hoofdkleur',
'app_primary_color_desc' => 'Geef een hexadecimale waarde. <br>Als je niks invult wordt de standaardkleur gebruikt.',
- 'app_homepage' => 'Application Homepage',
- 'app_homepage_desc' => 'Select a view to show on the homepage instead of the default view. Page permissions are ignored for selected pages.',
- 'app_homepage_select' => 'Select a page',
+ 'app_homepage' => 'Applicatie Homepagina',
+ 'app_homepage_desc' => 'Selecteer een weergave om weer te geven op de homepage in plaats van de standaard weergave. Paginarechten worden genegeerd voor geselecteerde pagina\'s.',
+ 'app_homepage_select' => 'Selecteer een pagina',
'app_disable_comments' => 'Reacties uitschakelen',
- 'app_disable_comments_toggle' => 'Disable comments',
+ 'app_disable_comments_toggle' => 'Opmerkingen uitschakelen',
'app_disable_comments_desc' => 'Schakel opmerkingen uit op alle pagina\'s in de applicatie. Bestaande opmerkingen worden niet getoond.',
+ // Color settings
+ 'content_colors' => 'Kleuren inhoud',
+ 'content_colors_desc' => 'Stelt de kleuren in voor alle elementen in de pagina-organisatieleiding. Het kiezen van kleuren met dezelfde helderheid als de standaard kleuren wordt aanbevolen voor de leesbaarheid.',
+ 'bookshelf_color' => 'Shelf Color',
+ 'book_color' => 'Book Color',
+ 'chapter_color' => 'Chapter Color',
+ 'page_color' => 'Pagina kleur',
+ 'page_draft_color' => 'Klad pagina kleur',
+
// Registration Settings
'reg_settings' => 'Registratieinstellingen',
- 'reg_enable' => 'Enable Registration',
- 'reg_enable_toggle' => 'Enable registration',
- 'reg_enable_desc' => 'When registration is enabled user will be able to sign themselves up as an application user. Upon registration they are given a single, default user role.',
+ 'reg_enable' => 'Registratie inschakelen',
+ 'reg_enable_toggle' => 'Registratie inschakelen',
+ 'reg_enable_desc' => 'Wanneer registratie is ingeschakeld, kan de gebruiker zich aanmelden als een gebruiker. Na registratie krijgen ze een enkele, standaard gebruikersrol.',
'reg_default_role' => 'Standaard rol na registratie',
- 'reg_email_confirmation' => 'Email Confirmation',
- 'reg_email_confirmation_toggle' => 'Require email confirmation',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
+ 'reg_email_confirmation' => 'E-mail bevestiging',
+ 'reg_email_confirmation_toggle' => 'E-mailbevestiging verplichten',
'reg_confirm_email_desc' => 'Als domeinrestricties aan staan dan is altijd e-maibevestiging nodig. Onderstaande instelling wordt dan genegeerd.',
'reg_confirm_restrict_domain' => 'Beperk registratie tot een maildomein',
'reg_confirm_restrict_domain_desc' => 'Geen een komma-gescheiden lijst van domeinnamen die gebruikt mogen worden bij registratie. <br> Let op: na registratie kunnen gebruikers hun e-mailadres nog steeds wijzigen.',
'reg_confirm_restrict_domain_placeholder' => 'Geen beperkingen ingesteld',
// Maintenance settings
- 'maint' => 'Maintenance',
- 'maint_image_cleanup' => 'Cleanup Images',
- 'maint_image_cleanup_desc' => "Scans page & revision content to check which images and drawings are currently in use and which images are redundant. Ensure you create a full database and image backup before running this.",
- 'maint_image_cleanup_ignore_revisions' => 'Ignore images in revisions',
- 'maint_image_cleanup_run' => 'Run Cleanup',
- 'maint_image_cleanup_warning' => ':count potentially unused images were found. Are you sure you want to delete these images?',
- 'maint_image_cleanup_success' => ':count potentially unused images found and deleted!',
- 'maint_image_cleanup_nothing_found' => 'No unused images found, Nothing deleted!',
+ 'maint' => 'Onderhoud',
+ 'maint_image_cleanup' => 'Afbeeldingen opschonen',
+ 'maint_image_cleanup_desc' => "Scant pagina- en revisie inhoud om te controleren welke afbeeldingen en tekeningen momenteel worden gebruikt en welke afbeeldingen overbodig zijn. Zorg ervoor dat je een volledige database en afbeelding backup maakt voordat je dit uitvoert.",
+ 'maint_image_cleanup_ignore_revisions' => 'Afbeeldingen in revisies negeren',
+ 'maint_image_cleanup_run' => 'Opschonen uitvoeren',
+ 'maint_image_cleanup_warning' => ':count potentieel ongebruikte afbeeldingen gevonden. Weet u zeker dat u deze afbeeldingen wilt verwijderen?',
+ 'maint_image_cleanup_success' => ':count potentieel ongebruikte afbeeldingen gevonden en verwijderd!',
+ 'maint_image_cleanup_nothing_found' => 'Geen ongebruikte afbeeldingen gevonden, niets verwijderd!',
+ 'maint_send_test_email' => 'Stuur een test e-mail',
+ 'maint_send_test_email_desc' => 'Dit verstuurt een test e-mail naar het e-mailadres dat je in je profiel hebt opgegeven.',
+ 'maint_send_test_email_run' => 'Test e-mail verzenden',
+ 'maint_send_test_email_success' => 'E-mail verzonden naar :address',
+ 'maint_send_test_email_mail_subject' => 'Test E-mail',
+ 'maint_send_test_email_mail_greeting' => 'E-mailbezorging lijkt te werken!',
+ 'maint_send_test_email_mail_text' => 'Gefeliciteerd! Nu je deze e-mailmelding hebt ontvangen, lijken je e-mailinstellingen correct te zijn geconfigureerd.',
// Role Settings
'roles' => 'Rollen',
'role_details' => 'Rol Details',
'role_name' => 'Rolnaam',
'role_desc' => 'Korte beschrijving van de rol',
- 'role_external_auth_id' => 'External Authentication IDs',
+ 'role_external_auth_id' => 'Externe authenticatie ID\'s',
'role_system' => 'Systeem Permissies',
'role_manage_users' => 'Gebruikers beheren',
'role_manage_roles' => 'Rollen en rechten beheren',
'role_manage_entity_permissions' => 'Beheer alle boeken-, hoofdstukken- en paginaresitrcties',
'role_manage_own_entity_permissions' => 'Beheer restricties van je eigen boeken, hoofdstukken en pagina\'s',
- 'role_manage_page_templates' => 'Manage page templates',
+ 'role_manage_page_templates' => 'Paginasjablonen beheren',
+ 'role_access_api' => 'Access system API',
'role_manage_settings' => 'Beheer app instellingen',
'role_asset' => 'Asset Permissies',
'role_asset_desc' => 'Deze permissies bepalen de standaardtoegangsrechten. Permissies op boeken, hoofdstukken en pagina\'s overschrijven deze instelling.',
- 'role_asset_admins' => 'Admins are automatically given access to all content but these options may show or hide UI options.',
+ 'role_asset_admins' => 'Beheerders krijgen automatisch toegang tot alle inhoud, maar deze opties kunnen interface opties tonen of verbergen.',
'role_all' => 'Alles',
'role_own' => 'Eigen',
'role_controlled_by_asset' => 'Gecontroleerd door de asset waar deze is geüpload',
'user_profile' => 'Gebruikersprofiel',
'users_add_new' => 'Gebruiker toevoegen',
'users_search' => 'Gebruiker zoeken',
- 'users_details' => 'User Details',
- 'users_details_desc' => 'Set a display name and an email address for this user. The email address will be used for logging into the application.',
- 'users_details_desc_no_email' => 'Set a display name for this user so others can recognise them.',
+ 'users_details' => 'Gebruiker details',
+ 'users_details_desc' => 'Stel een weergavenaam en e-mailadres in voor deze gebruiker. Het e-mailadres zal worden gebruikt om in te loggen.',
+ 'users_details_desc_no_email' => 'Stel een weergavenaam in voor deze gebruiker zodat anderen deze kunnen herkennen.',
'users_role' => 'Gebruikersrollen',
- 'users_role_desc' => 'Select which roles this user will be assigned to. If a user is assigned to multiple roles the permissions from those roles will stack and they will receive all abilities of the assigned roles.',
- 'users_password' => 'User Password',
- 'users_password_desc' => 'Set a password used to log-in to the application. This must be at least 6 characters long.',
- 'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
- 'users_send_invite_option' => 'Send user invite email',
- 'users_external_auth_id' => 'External Authentication ID',
- 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your LDAP system.',
+ 'users_role_desc' => 'Selecteer aan welke rollen deze gebruiker zal worden toegewezen. Als een gebruiker aan meerdere rollen wordt toegewezen worden de machtigingen van deze rollen samengevoegd en krijgen ze alle machtigingen van de toegewezen rollen.',
+ 'users_password' => 'Wachtwoord gebruiker',
+ 'users_password_desc' => 'Stel een wachtwoord in dat gebruikt wordt om in te loggen op de applicatie. Dit moet minstens 6 tekens lang zijn.',
+ 'users_send_invite_text' => 'U kunt ervoor kiezen om deze gebruiker een uitnodigingsmail te sturen waarmee hij zijn eigen wachtwoord kan instellen, anders kunt u zelf zijn wachtwoord instellen.',
+ 'users_send_invite_option' => 'Stuur gebruiker uitnodigings e-mail',
+ 'users_external_auth_id' => 'Externe authenticatie ID',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
'users_password_warning' => 'Vul onderstaande formulier alleen in als je het wachtwoord wilt aanpassen:',
'users_system_public' => 'De eigenschappen van deze gebruiker worden voor elke gastbezoeker gebruikt. Er kan niet mee ingelogd worden en wordt automatisch toegewezen.',
'users_delete' => 'Verwijder gebruiker',
'users_avatar' => 'Avatar',
'users_avatar_desc' => 'De afbeelding moet vierkant zijn en ongeveer 256px breed.',
'users_preferred_language' => 'Voorkeurstaal',
- 'users_preferred_language_desc' => 'This option will change the language used for the user-interface of the application. This will not affect any user-created content.',
- 'users_social_accounts' => 'Social Accounts',
+ 'users_preferred_language_desc' => 'Deze optie wijzigt de taal die gebruikt wordt voor de gebruikersinterface. Dit heeft geen invloed op de door de gebruiker gemaakte inhoud.',
+ 'users_social_accounts' => 'Sociale accounts',
'users_social_accounts_info' => 'Hier kun je accounts verbinden om makkelijker in te loggen. Via je profiel kun je ook weer rechten intrekken die bij deze social accountsh horen.',
'users_social_connect' => 'Account Verbinden',
'users_social_disconnect' => 'Account Ontkoppelen',
'users_social_connected' => ':socialAccount account is succesvol aan je profiel gekoppeld.',
'users_social_disconnected' => ':socialAccount account is succesvol ontkoppeld van je profiel.',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'No API tokens have been created for this user',
+ 'users_api_tokens_create' => 'Create Token',
+ 'users_api_tokens_expires' => 'Expires',
+ 'users_api_tokens_docs' => 'API Documentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Create API Token',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Token Created :timeAgo',
+ 'user_api_token_updated' => 'Token Updated :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
return [
// Standard laravel validation lines
- 'accepted' => 'The :attribute must be accepted.',
- 'active_url' => 'The :attribute is not a valid URL.',
- 'after' => 'The :attribute must be a date after :date.',
- 'alpha' => 'The :attribute may only contain letters.',
- 'alpha_dash' => 'The :attribute may only contain letters, numbers, and dashes.',
- 'alpha_num' => 'The :attribute may only contain letters and numbers.',
- 'array' => 'The :attribute must be an array.',
- 'before' => 'The :attribute must be a date before :date.',
+ 'accepted' => ':attribute moet geaccepteerd worden.',
+ 'active_url' => ':attribute is geen geldige URL.',
+ 'after' => ':attribute moet een datum zijn later dan :date.',
+ 'alpha' => ':attribute mag alleen letters bevatten.',
+ 'alpha_dash' => ':attribute mag alleen letters, cijfers, streepjes en liggende streepjes bevatten.',
+ 'alpha_num' => ':attribute mag alleen letters en nummers bevatten.',
+ 'array' => ':attribute moet een reeks zijn.',
+ 'before' => ':attribute moet een datum zijn voor :date.',
'between' => [
- 'numeric' => 'The :attribute must be between :min and :max.',
- 'file' => 'The :attribute must be between :min and :max kilobytes.',
- 'string' => 'The :attribute must be between :min and :max characters.',
- 'array' => 'The :attribute must have between :min and :max items.',
+ 'numeric' => ':attribute moet tussen de :min en :max zijn.',
+ 'file' => ':attribute moet tussen de :min en :max kilobytes zijn.',
+ 'string' => ':attribute moet tussen de :min en :max tekens zijn.',
+ 'array' => ':attribute moet tussen de :min en :max items bevatten.',
],
- 'boolean' => 'The :attribute field must be true or false.',
- 'confirmed' => 'The :attribute confirmation does not match.',
- 'date' => 'The :attribute is not a valid date.',
- 'date_format' => 'The :attribute does not match the format :format.',
- 'different' => 'The :attribute and :other must be different.',
- 'digits' => 'The :attribute must be :digits digits.',
- 'digits_between' => 'The :attribute must be between :min and :max digits.',
- 'email' => 'The :attribute must be a valid email address.',
- 'ends_with' => 'The :attribute must end with one of the following: :values',
- 'filled' => 'The :attribute field is required.',
+ 'boolean' => ':attribute moet ja of nee zijn.',
+ 'confirmed' => ':attribute bevestiging komt niet overeen.',
+ 'date' => ':attribute is geen geldige datum.',
+ 'date_format' => ':attribute komt niet overeen met het formaat :format.',
+ 'different' => ':attribute en :other moeten verschillend zijn.',
+ 'digits' => ':attribute moet bestaan uit :digits cijfers.',
+ 'digits_between' => ':attribute moet tussen de :min en :max cijfers zijn.',
+ 'email' => ':attribute is geen geldig e-mailadres.',
+ 'ends_with' => ':attribute moet eindigen met een van de volgende: :values',
+ 'filled' => ':attribute is verplicht.',
'gt' => [
- 'numeric' => 'The :attribute must be greater than :value.',
- 'file' => 'The :attribute must be greater than :value kilobytes.',
- 'string' => 'The :attribute must be greater than :value characters.',
- 'array' => 'The :attribute must have more than :value items.',
+ 'numeric' => ':attribute moet groter zijn dan :value.',
+ 'file' => ':attribute moet groter zijn dan :value kilobytes.',
+ 'string' => ':attribute moet meer dan :value tekens bevatten.',
+ 'array' => ':attribute moet meer dan :value items bevatten.',
],
'gte' => [
- 'numeric' => 'The :attribute must be greater than or equal :value.',
- 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
- 'string' => 'The :attribute must be greater than or equal :value characters.',
- 'array' => 'The :attribute must have :value items or more.',
+ 'numeric' => ':attribute moet groter of gelijk zijn aan :value.',
+ 'file' => ':attribute moet groter of gelijk zijn aan :value kilobytes.',
+ 'string' => ':attribute moet :value of meer tekens bevatten.',
+ 'array' => ':attribute moet :value items of meer bevatten.',
],
- 'exists' => 'The selected :attribute is invalid.',
- 'image' => 'The :attribute must be an image.',
- 'image_extension' => 'The :attribute must have a valid & supported image extension.',
- 'in' => 'The selected :attribute is invalid.',
- 'integer' => 'The :attribute must be an integer.',
- 'ip' => 'The :attribute must be a valid IP address.',
- 'ipv4' => 'The :attribute must be a valid IPv4 address.',
- 'ipv6' => 'The :attribute must be a valid IPv6 address.',
- 'json' => 'The :attribute must be a valid JSON string.',
+ 'exists' => ':attribute is ongeldig.',
+ 'image' => ':attribute moet een afbeelding zijn.',
+ 'image_extension' => ':attribute moet een geldige en ondersteunde afbeeldings-extensie hebben.',
+ 'in' => ':attribute is ongeldig.',
+ 'integer' => ':attribute moet een getal zijn.',
+ 'ip' => ':attribute moet een geldig IP-adres zijn.',
+ 'ipv4' => ':attribute moet een geldig IPv4-adres zijn.',
+ 'ipv6' => ':attribute moet een geldig IPv6-adres zijn.',
+ 'json' => ':attribute moet een geldige JSON-string zijn.',
'lt' => [
- 'numeric' => 'The :attribute must be less than :value.',
- 'file' => 'The :attribute must be less than :value kilobytes.',
- 'string' => 'The :attribute must be less than :value characters.',
- 'array' => 'The :attribute must have less than :value items.',
+ 'numeric' => ':attribute moet kleiner zijn dan :value.',
+ 'file' => ':attribute moet kleiner zijn dan :value kilobytes.',
+ 'string' => ':attribute moet minder dan :value tekens bevatten.',
+ 'array' => ':attribute moet minder dan :value items bevatten.',
],
'lte' => [
- 'numeric' => 'The :attribute must be less than or equal :value.',
- 'file' => 'The :attribute must be less than or equal :value kilobytes.',
- 'string' => 'The :attribute must be less than or equal :value characters.',
- 'array' => 'The :attribute must not have more than :value items.',
+ 'numeric' => ':attribute moet kleiner of gelijk zijn aan :value.',
+ 'file' => ':attribute moet kleiner of gelijk zijn aan :value kilobytes.',
+ 'string' => ':attribute moet :value tekens of minder bevatten.',
+ 'array' => ':attribute mag niet meer dan :value items bevatten.',
],
'max' => [
- 'numeric' => 'The :attribute may not be greater than :max.',
- 'file' => 'The :attribute may not be greater than :max kilobytes.',
- 'string' => 'The :attribute may not be greater than :max characters.',
- 'array' => 'The :attribute may not have more than :max items.',
+ 'numeric' => ':attribute mag niet groter zijn dan :max.',
+ 'file' => ':attribute mag niet groter zijn dan :max kilobytes.',
+ 'string' => ':attribute mag niet groter zijn dan :max tekens.',
+ 'array' => ':attribute mag niet meer dan :max items bevatten.',
],
- 'mimes' => 'The :attribute must be a file of type: :values.',
+ 'mimes' => ':attribute moet een bestand zijn van het type: :values.',
'min' => [
- 'numeric' => 'The :attribute must be at least :min.',
- 'file' => 'The :attribute must be at least :min kilobytes.',
- 'string' => 'The :attribute must be at least :min characters.',
- 'array' => 'The :attribute must have at least :min items.',
+ 'numeric' => ':attribute moet minstens :min zijn.',
+ 'file' => ':attribute moet minstens :min kilobytes zijn.',
+ 'string' => ':attribute moet minstens :min karakters bevatten.',
+ 'array' => ':attribute moet minstens :min items bevatten.',
],
- 'no_double_extension' => 'The :attribute must only have a single file extension.',
- 'not_in' => 'The selected :attribute is invalid.',
- 'not_regex' => 'The :attribute format is invalid.',
- 'numeric' => 'The :attribute must be a number.',
- 'regex' => 'The :attribute format is invalid.',
- 'required' => 'The :attribute field is required.',
- 'required_if' => 'The :attribute field is required when :other is :value.',
- 'required_with' => 'The :attribute field is required when :values is present.',
- 'required_with_all' => 'The :attribute field is required when :values is present.',
- 'required_without' => 'The :attribute field is required when :values is not present.',
- 'required_without_all' => 'The :attribute field is required when none of :values are present.',
- 'same' => 'The :attribute and :other must match.',
+ 'no_double_extension' => ':attribute mag maar een enkele bestandsextensie hebben.',
+ 'not_in' => ':attribute is ongeldig.',
+ 'not_regex' => ':attribute formaat is ongeldig.',
+ 'numeric' => ':attribute moet een getal zijn.',
+ 'regex' => ':attribute formaat is ongeldig.',
+ 'required' => ':attribute veld is verplicht.',
+ 'required_if' => ':attribute veld is verplicht als :other gelijk is aan :value.',
+ 'required_with' => ':attribute veld is verplicht wanneer :values ingesteld is.',
+ 'required_with_all' => ':attribute veld is verplicht wanneer :values ingesteld is.',
+ 'required_without' => ':attribute veld is verplicht wanneer :values niet ingesteld is.',
+ 'required_without_all' => ':attribute veld is verplicht wanneer geen van :values ingesteld zijn.',
+ 'same' => ':attribute en :other moeten overeenkomen.',
'size' => [
- 'numeric' => 'The :attribute must be :size.',
- 'file' => 'The :attribute must be :size kilobytes.',
- 'string' => 'The :attribute must be :size characters.',
- 'array' => 'The :attribute must contain :size items.',
+ 'numeric' => ':attribute moet :size zijn.',
+ 'file' => ':attribute moet :size kilobytes zijn.',
+ 'string' => ':attribute moet :size tekens bevatten.',
+ 'array' => ':attribute moet :size items bevatten.',
],
- 'string' => 'The :attribute must be a string.',
- 'timezone' => 'The :attribute must be a valid zone.',
- 'unique' => 'The :attribute has already been taken.',
- 'url' => 'The :attribute format is invalid.',
- 'uploaded' => 'The file could not be uploaded. The server may not accept files of this size.',
+ 'string' => ':attribute moet tekst zijn.',
+ 'timezone' => ':attribute moet een geldige zone zijn.',
+ 'unique' => ':attribute is al in gebruik.',
+ 'url' => ':attribute formaat is ongeldig.',
+ 'uploaded' => 'Het bestand kon niet worden geüpload. De server accepteert mogelijk geen bestanden van deze grootte.',
// Custom validation lines
'custom' => [
'password-confirm' => [
- 'required_with' => 'Password confirmation required',
+ 'required_with' => 'Wachtwoord bevestiging verplicht',
],
],
'chapter_move' => 'przeniesiono rozdział',
// Books
- 'book_create' => 'utworzono podręcznik',
- 'book_create_notification' => 'Podręcznik utworzony pomyślnie',
- 'book_update' => 'zaktualizowano podręcznik',
- 'book_update_notification' => 'Podręcznik zaktualizowany pomyślnie',
- 'book_delete' => 'usunięto podręcznik',
- 'book_delete_notification' => 'Podręcznik usunięty pomyślnie',
- 'book_sort' => 'posortowano podręcznik',
- 'book_sort_notification' => 'Podręcznik posortowany pomyślnie',
+ 'book_create' => 'utworzono książkę',
+ 'book_create_notification' => 'Książkę utworzony pomyślnie',
+ 'book_update' => 'zaktualizowano książkę',
+ 'book_update_notification' => 'Książkę zaktualizowany pomyślnie',
+ 'book_delete' => 'usunięto książkę',
+ 'book_delete_notification' => 'Książkę usunięty pomyślnie',
+ 'book_sort' => 'posortowano książkę',
+ 'book_sort_notification' => 'Książkę posortowany pomyślnie',
// Bookshelves
'bookshelf_create' => 'utworzono półkę',
'remember_me' => 'Zapamiętaj mnie',
'ldap_email_hint' => 'Wprowadź adres e-mail dla tego konta.',
'create_account' => 'Utwórz konto',
- 'already_have_account' => 'Already have an account?',
- 'dont_have_account' => 'Don\'t have an account?',
+ 'already_have_account' => 'Masz już konto?',
+ 'dont_have_account' => 'Nie masz konta?',
'social_login' => 'Logowanie za pomocą konta społecznościowego',
'social_registration' => 'Rejestracja za pomocą konta społecznościowego',
'social_registration_text' => 'Zarejestruj się za pomocą innej usługi.',
'email_not_confirmed_resend_button' => 'Wyślij ponownie wiadomość z potwierdzeniem',
// User Invite
- 'user_invite_email_subject' => 'You have been invited to join :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_action' => 'Set Account Password',
- '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_success' => 'Password set, you now have access to :appName!'
+ 'user_invite_email_subject' => 'Zostałeś zaproszony do :appName!',
+ 'user_invite_email_greeting' => 'Zostało dla Ciebie utworzone konto w :appName.',
+ 'user_invite_email_text' => 'Kliknij przycisk poniżej, aby ustawić hasło do konta i uzyskać do niego dostęp:',
+ 'user_invite_email_action' => 'Ustaw hasło do konta',
+ 'user_invite_page_welcome' => 'Witaj w :appName!',
+ 'user_invite_page_text' => 'Aby zakończyć tworzenie konta musisz ustawić hasło, które będzie używane do logowania do :appName w przyszłości.',
+ 'user_invite_page_confirm_button' => 'Potwierdź hasło',
+ 'user_invite_success' => 'Hasło zostało ustawione, teraz masz dostęp do :appName!'
];
\ No newline at end of file
'save' => 'Zapisz',
'continue' => 'Kontynuuj',
'select' => 'Wybierz',
- 'toggle_all' => 'Toggle All',
+ 'toggle_all' => 'Przełącz wszystko',
'more' => 'Więcej',
// Form Labels
// Actions
'actions' => 'Akcje',
'view' => 'Widok',
- 'view_all' => 'View All',
+ 'view_all' => 'Zobacz wszystkie',
'create' => 'Utwórz',
'update' => 'Zaktualizuj',
'edit' => 'Edytuj',
'reset' => 'Resetuj',
'remove' => 'Usuń',
'add' => 'Dodaj',
+ 'fullscreen' => 'Fullscreen',
// Sort Options
- 'sort_options' => 'Sort Options',
- 'sort_direction_toggle' => 'Sort Direction Toggle',
- 'sort_ascending' => 'Sort Ascending',
- 'sort_descending' => 'Sort Descending',
- 'sort_name' => 'Name',
- 'sort_created_at' => 'Created Date',
- 'sort_updated_at' => 'Updated Date',
+ 'sort_options' => 'Opcje sortowania',
+ 'sort_direction_toggle' => 'Przełącz kierunek sortowania',
+ 'sort_ascending' => 'Sortuj rosnąco',
+ 'sort_descending' => 'Sortuj malejąco',
+ 'sort_name' => 'Nazwa',
+ 'sort_created_at' => 'Data utworzenia',
+ 'sort_updated_at' => 'Data aktualizacji',
// Misc
'deleted_user' => 'Użytkownik usunięty',
'breadcrumb' => 'Breadcrumb',
// Header
- 'profile_menu' => 'Profile Menu',
+ 'profile_menu' => 'Menu profilu',
'view_profile' => 'Zobacz profil',
'edit_profile' => 'Edytuj profil',
// Layout tabs
- 'tab_info' => 'Info',
- 'tab_content' => 'Content',
+ 'tab_info' => 'Informacje',
+ 'tab_content' => 'Treść',
// Email Content
'email_action_help' => 'Jeśli masz problem z kliknięciem przycisku ":actionText", skopiuj i wklej poniższy adres URL w nowej karcie swojej przeglądarki:',
'image_select' => 'Wybór obrazka',
'image_all' => 'Wszystkie',
'image_all_title' => 'Zobacz wszystkie obrazki',
- 'image_book_title' => 'Zobacz obrazki zapisane w tym podręczniku',
+ 'image_book_title' => 'Zobacz obrazki zapisane w tej książce',
'image_page_title' => 'Zobacz obrazki zapisane na tej stronie',
'image_search_hint' => 'Szukaj po nazwie obrazka',
'image_uploaded' => 'Przesłano :uploadedDate',
'recently_created_pages' => 'Ostatnio utworzone strony',
'recently_updated_pages' => 'Ostatnio zaktualizowane strony',
'recently_created_chapters' => 'Ostatnio utworzone rozdziały',
- 'recently_created_books' => 'Ostatnio utworzone podręczniki',
- 'recently_created_shelves' => 'Recently Created Shelves',
+ 'recently_created_books' => 'Ostatnio utworzone książki',
+ 'recently_created_shelves' => 'Ostatnio utworzone półki',
'recently_update' => 'Ostatnio zaktualizowane',
'recently_viewed' => 'Ostatnio wyświetlane',
'recent_activity' => 'Ostatnia aktywność',
// Shelves
'shelf' => 'Półka',
'shelves' => 'Półki',
- 'x_shelves' => ':count Shelf|:count Shelves',
+ 'x_shelves' => ':count Półek|:count Półek',
'shelves_long' => 'Półki',
'shelves_empty' => 'Brak utworzonych półek',
'shelves_create' => 'Utwórz półkę',
'shelves_popular' => 'Popularne półki',
'shelves_new' => 'Nowe półki',
- 'shelves_new_action' => 'New Shelf',
+ 'shelves_new_action' => 'Nowa półka',
'shelves_popular_empty' => 'Najpopularniejsze półki pojawią się w tym miejscu.',
'shelves_new_empty' => 'Tutaj pojawią się ostatnio utworzone półki.',
'shelves_save' => 'Zapisz półkę',
- 'shelves_books' => 'Podręczniki na tej półce',
- 'shelves_add_books' => 'Dodaj podręczniki do tej półki',
- 'shelves_drag_books' => 'Przeciągnij podręczniki tutaj aby dodać je do półki',
- 'shelves_empty_contents' => 'Ta półka nie ma przypisanych żadnych podręczników',
- 'shelves_edit_and_assign' => 'Edytuj półkę aby przypisać podręczniki',
+ 'shelves_books' => 'Książki na tej półce',
+ 'shelves_add_books' => 'Dodaj książkę do tej półki',
+ 'shelves_drag_books' => 'Przeciągnij książki tutaj aby dodać je do półki',
+ 'shelves_empty_contents' => 'Ta półka nie ma przypisanych żadnych książek',
+ 'shelves_edit_and_assign' => 'Edytuj półkę aby przypisać książki',
'shelves_edit_named' => 'Edytuj półkę :name',
'shelves_edit' => 'Edytuj półkę',
'shelves_delete' => 'Usuń półkę',
'shelves_delete_named' => 'Usuń półkę :name',
- 'shelves_delete_explain' => "Ta operacja usunie półkę o nazwie ':name'. Podręczniki z tej półki nie zostaną usunięte.",
+ 'shelves_delete_explain' => "Ta operacja usunie półkę o nazwie ':name'. Książki z tej półki nie zostaną usunięte.",
'shelves_delete_confirmation' => 'Czy jesteś pewien, że chcesz usunąć tę półkę?',
'shelves_permissions' => 'Uprawnienia półki',
'shelves_permissions_updated' => 'Uprawnienia półki zostały zaktualizowane',
'shelves_permissions_active' => 'Uprawnienia półki są aktywne',
- 'shelves_copy_permissions_to_books' => 'Skopiuj uprawnienia do podręczników',
+ 'shelves_copy_permissions_to_books' => 'Skopiuj uprawnienia do książek',
'shelves_copy_permissions' => 'Skopiuj uprawnienia',
- 'shelves_copy_permissions_explain' => 'To spowoduje zastosowanie obecnych ustawień uprawnień dla tej półki do wszystkich podręczników w niej zawartych. Przed aktywacją upewnij się, że wszelkie zmiany w uprawnieniach do tej półki zostały zapisane.',
- 'shelves_copy_permission_success' => 'Uprawnienia półki zostały skopiowane do :count podręczników',
+ 'shelves_copy_permissions_explain' => 'To spowoduje zastosowanie obecnych ustawień uprawnień dla tej półki do wszystkich książek w niej zawartych. Przed aktywacją upewnij się, że wszelkie zmiany w uprawnieniach do tej półki zostały zapisane.',
+ 'shelves_copy_permission_success' => 'Uprawnienia półki zostały skopiowane do :count książek',
// Books
- 'book' => 'Podręcznik',
- 'books' => 'Podręczniki',
- 'x_books' => ':count Podręcznik|:count Podręczniki',
- 'books_empty' => 'Brak utworzonych podręczników',
- 'books_popular' => 'Popularne podręczniki',
- 'books_recent' => 'Ostatnie podręczniki',
- 'books_new' => 'Nowe podręczniki',
- 'books_new_action' => 'New Book',
- 'books_popular_empty' => 'Najpopularniejsze podręczniki pojawią się w tym miejscu.',
- 'books_new_empty' => 'Tutaj pojawią się ostatnio utworzone podręczniki.',
- 'books_create' => 'Utwórz podręcznik',
- 'books_delete' => 'Usuń podręcznik',
- 'books_delete_named' => 'Usuń podręcznik :bookName',
- 'books_delete_explain' => 'To spowoduje usunięcie podręcznika \':bookName\', Wszystkie strony i rozdziały zostaną usunięte.',
- 'books_delete_confirmation' => 'Czy na pewno chcesz usunąc ten podręcznik?',
- 'books_edit' => 'Edytuj podręcznik',
- 'books_edit_named' => 'Edytuj podręcznik :bookName',
- 'books_form_book_name' => 'Nazwa podręcznika',
- 'books_save' => 'Zapisz podręcznik',
- 'books_permissions' => 'Uprawnienia podręcznika',
- 'books_permissions_updated' => 'Zaktualizowano uprawnienia podręcznika',
- 'books_empty_contents' => 'Brak stron lub rozdziałów w tym podręczniku.',
+ 'book' => 'Książka',
+ 'books' => 'Książki',
+ 'x_books' => ':count Książka|:count Książki',
+ 'books_empty' => 'Brak utworzonych książek',
+ 'books_popular' => 'Popularne książki',
+ 'books_recent' => 'Ostatnie książki',
+ 'books_new' => 'Nowe książki',
+ 'books_new_action' => 'Nowa księga',
+ 'books_popular_empty' => 'Najpopularniejsze książki pojawią się w tym miejscu.',
+ 'books_new_empty' => 'Tutaj pojawią się ostatnio utworzone książki.',
+ 'books_create' => 'Utwórz książkę',
+ 'books_delete' => 'Usuń książkę',
+ 'books_delete_named' => 'Usuń książkę :bookName',
+ 'books_delete_explain' => 'To spowoduje usunięcie książki \':bookName\', Wszystkie strony i rozdziały zostaną usunięte.',
+ 'books_delete_confirmation' => 'Czy na pewno chcesz usunąc tę książkę?',
+ 'books_edit' => 'Edytuj książkę',
+ 'books_edit_named' => 'Edytuj książkę :bookName',
+ 'books_form_book_name' => 'Nazwa książki',
+ 'books_save' => 'Zapisz książkę',
+ 'books_permissions' => 'Uprawnienia książki',
+ 'books_permissions_updated' => 'Zaktualizowano uprawnienia książki',
+ 'books_empty_contents' => 'Brak stron lub rozdziałów w tej książce.',
'books_empty_create_page' => 'Utwórz nową stronę',
- 'books_empty_sort_current_book' => 'posortuj bieżący podręcznik',
+ 'books_empty_sort_current_book' => 'posortuj bieżącą książkę',
'books_empty_add_chapter' => 'Dodaj rozdział',
- 'books_permissions_active' => 'Uprawnienia podręcznika są aktywne',
- 'books_search_this' => 'Wyszukaj w tym podręczniku',
- 'books_navigation' => 'Nawigacja po podręczniku',
- 'books_sort' => 'Sortuj zawartość podręcznika',
- 'books_sort_named' => 'Sortuj podręcznik :bookName',
- 'books_sort_name' => 'Sort by Name',
- 'books_sort_created' => 'Sort by Created Date',
- 'books_sort_updated' => 'Sort by Updated Date',
- 'books_sort_chapters_first' => 'Chapters First',
- 'books_sort_chapters_last' => 'Chapters Last',
- 'books_sort_show_other' => 'Pokaż inne podręczniki',
+ 'books_permissions_active' => 'Uprawnienia książki są aktywne',
+ 'books_search_this' => 'Wyszukaj w tej książce',
+ 'books_navigation' => 'Nawigacja po książce',
+ 'books_sort' => 'Sortuj zawartość książki',
+ 'books_sort_named' => 'Sortuj książkę :bookName',
+ 'books_sort_name' => 'Sortuj według nazwy',
+ 'books_sort_created' => 'Sortuj według daty utworzenia',
+ 'books_sort_updated' => 'Sortuj według daty modyfikacji',
+ 'books_sort_chapters_first' => 'Rozdziały na początku',
+ 'books_sort_chapters_last' => 'Rozdziały na końcu',
+ 'books_sort_show_other' => 'Pokaż inne książki',
'books_sort_save' => 'Zapisz nową kolejność',
// Chapters
'chapters_delete' => 'Usuń rozdział',
'chapters_delete_named' => 'Usuń rozdział :chapterName',
'chapters_delete_explain' => 'To spowoduje usunięcie rozdziału \':chapterName\', Wszystkie strony zostaną usunięte
- i dodane bezpośrednio do podręcznika nadrzędnego.',
+ i dodane bezpośrednio do książki.',
'chapters_delete_confirm' => 'Czy na pewno chcesz usunąć ten rozdział?',
'chapters_edit' => 'Edytuj rozdział',
'chapters_edit_named' => 'Edytuj rozdział :chapterName',
'pages_delete_confirm' => 'Czy na pewno chcesz usunąć tę stronę?',
'pages_delete_draft_confirm' => 'Czy na pewno chcesz usunąć wersje roboczą strony?',
'pages_editing_named' => 'Edytowanie strony :pageName',
- 'pages_edit_draft_options' => 'Draft Options',
+ 'pages_edit_draft_options' => 'Ustawienia wersji roboczej',
'pages_edit_save_draft' => 'Zapisano wersje roboczą o ',
'pages_edit_draft' => 'Edytuj wersje roboczą',
'pages_editing_draft' => 'Edytowanie wersji roboczej',
'pages_revisions_created_by' => 'Utworzona przez',
'pages_revisions_date' => 'Data wersji',
'pages_revisions_number' => '#',
- 'pages_revisions_numbered' => 'Revision #:id',
- 'pages_revisions_numbered_changes' => 'Revision #:id Changes',
+ 'pages_revisions_numbered' => 'Wersja #:id',
+ 'pages_revisions_numbered_changes' => 'Zmiany w wersji #:id',
'pages_revisions_changelog' => 'Dziennik zmian',
'pages_revisions_changes' => 'Zmiany',
'pages_revisions_current' => 'Obecna wersja',
],
'pages_draft_discarded' => 'Wersja robocza odrzucona, edytor został uzupełniony najnowszą wersją strony',
'pages_specific' => 'Określona strona',
- 'pages_is_template' => 'Page Template',
+ 'pages_is_template' => 'Szablon strony',
// Editor Sidebar
'page_tags' => 'Tagi strony',
'chapter_tags' => 'Tagi rozdziału',
- 'book_tags' => 'Tagi podręcznika',
+ 'book_tags' => 'Tagi książki',
'shelf_tags' => 'Tagi półki',
'tag' => 'Tag',
'tags' => 'Tagi',
- 'tag_name' => 'Tag Name',
+ 'tag_name' => 'Nazwa tagu',
'tag_value' => 'Wartość tagu (opcjonalnie)',
'tags_explain' => "Dodaj tagi by skategoryzować zawartość. \n W celu dokładniejszej organizacji zawartości możesz dodać wartości do tagów.",
'tags_add' => 'Dodaj kolejny tag',
- 'tags_remove' => 'Remove this tag',
+ 'tags_remove' => 'Usuń ten tag',
'attachments' => 'Załączniki',
'attachments_explain' => 'Prześlij kilka plików lub załącz linki. Będą one widoczne na pasku bocznym strony.',
'attachments_explain_instant_save' => 'Zmiany są zapisywane natychmiastowo.',
'attachments_file_uploaded' => 'Plik załączony pomyślnie',
'attachments_file_updated' => 'Plik zaktualizowany pomyślnie',
'attachments_link_attached' => 'Link pomyślnie dodany do strony',
- 'templates' => 'Templates',
- 'templates_set_as_template' => 'Page is a template',
- 'templates_explain_set_as_template' => 'You can set this page as a template so its contents be utilized when creating other pages. Other users will be able to use this template if they have view permissions for this page.',
- 'templates_replace_content' => 'Replace page content',
- 'templates_append_content' => 'Append to page content',
- 'templates_prepend_content' => 'Prepend to page content',
+ 'templates' => 'Szablony',
+ 'templates_set_as_template' => 'Strona jest szablonem',
+ 'templates_explain_set_as_template' => 'Możesz ustawić tę stronę jako szablon, tak aby jej zawartość była wykorzystywana przy tworzeniu innych stron. Inni użytkownicy będą mogli korzystać z tego szablonu, jeśli mają uprawnienia do przeglądania tej strony.',
+ 'templates_replace_content' => 'Zmień zawartość strony',
+ 'templates_append_content' => 'Dodaj do zawartośći strony na końcu',
+ 'templates_prepend_content' => 'Dodaj do zawartośći strony na początku',
// Profile View
'profile_user_for_x' => 'Użytkownik od :time',
'profile_created_content' => 'Utworzona zawartość',
'profile_not_created_pages' => ':userName nie utworzył żadnych stron',
'profile_not_created_chapters' => ':userName nie utworzył żadnych rozdziałów',
- 'profile_not_created_books' => ':userName nie utworzył żadnych podręczników',
- 'profile_not_created_shelves' => ':userName has not created any shelves',
+ 'profile_not_created_books' => ':userName nie utworzył żadnych książek',
+ 'profile_not_created_shelves' => ':userName nie utworzył żadnych półek',
// Comments
'comment' => 'Komentarz',
// Revision
'revision_delete_confirm' => 'Czy na pewno chcesz usunąć tę wersję?',
- 'revision_restore_confirm' => 'Are you sure you want to restore this revision? The current page contents will be replaced.',
+ '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.'
];
\ No newline at end of file
'email_already_confirmed' => 'E-mail został potwierdzony, spróbuj się zalogować.',
'email_confirmation_invalid' => 'Ten token jest nieprawidłowy lub został już wykorzystany. Spróbuj zarejestrować się ponownie.',
'email_confirmation_expired' => 'Ten token potwierdzający wygasł. Wysłaliśmy Ci kolejny.',
+ 'email_confirmation_awaiting' => 'The email address for the account in use needs to be confirmed',
'ldap_fail_anonymous' => 'Dostęp LDAP przy użyciu anonimowego powiązania nie powiódł się',
'ldap_fail_authed' => 'Dostęp LDAP przy użyciu tego DN i hasła nie powiódł się',
'ldap_extension_not_installed' => 'Rozszerzenie LDAP PHP nie zostało zainstalowane',
'ldap_cannot_connect' => 'Nie można połączyć z serwerem LDAP, połączenie nie zostało ustanowione',
+ 'saml_already_logged_in' => 'Już zalogowany',
+ 'saml_user_not_registered' => 'Użytkownik :name nie jest zarejestrowany i automatyczna rejestracja jest wyłączona',
+ 'saml_no_email_address' => 'Nie można odnaleźć adresu email dla tego użytkownika w danych dostarczonych przez zewnętrzny system uwierzytelniania',
+ 'saml_invalid_response_id' => 'Żądanie z zewnętrznego systemu uwierzytelniania nie zostało rozpoznane przez proces rozpoczęty przez tę aplikację. Cofnięcie po zalogowaniu mogło spowodować ten problem.',
+ 'saml_fail_authed' => 'Logowanie przy użyciu :system nie powiodło się, system nie mógł pomyślnie ukończyć uwierzytelniania',
'social_no_action_defined' => 'Brak zdefiniowanej akcji',
'social_login_bad_response' => "Podczas próby logowania :socialAccount wystąpił błąd: \n:error",
'social_account_in_use' => 'To konto :socialAccount jest już w użyciu. Spróbuj zalogować się za pomocą opcji :socialAccount.',
'social_account_register_instructions' => 'Jeśli nie masz jeszcze konta, możesz zarejestrować je używając opcji :socialAccount.',
'social_driver_not_found' => 'Funkcja społecznościowa nie została odnaleziona',
'social_driver_not_configured' => 'Ustawienia konta :socialAccount nie są poprawne.',
- 'invite_token_expired' => 'This invitation link has expired. You can instead try to reset your account password.',
+ 'invite_token_expired' => 'Zaproszenie wygasło. Możesz spróować zresetować swoje hasło.',
// System
'path_not_writable' => 'Zapis do ścieżki :filePath jest niemożliwy. Upewnij się że aplikacja ma prawa do zapisu plików na serwerze.',
// Entities
'entity_not_found' => 'Nie znaleziono obiektu',
'bookshelf_not_found' => 'Nie znaleziono półki',
- 'book_not_found' => 'Nie znaleziono podręcznika',
+ 'book_not_found' => 'Nie znaleziono książki',
'page_not_found' => 'Nie znaleziono strony',
'chapter_not_found' => 'Nie znaleziono rozdziału',
- 'selected_book_not_found' => 'Wybrany podręcznik nie został znaleziony',
- 'selected_book_chapter_not_found' => 'Wybrany podręcznik lub rozdział nie został znaleziony',
+ 'selected_book_not_found' => 'Wybrana książka nie została znaleziona',
+ 'selected_book_chapter_not_found' => 'Wybrana książka lub rozdział nie został znaleziony',
'guests_cannot_save_drafts' => 'Goście nie mogą zapisywać wersji roboczych',
// Users
'role_cannot_be_edited' => 'Ta rola nie może być edytowana',
'role_system_cannot_be_deleted' => 'Ta rola jest rolą systemową i nie może zostać usunięta',
'role_registration_default_cannot_delete' => 'Ta rola nie może zostać usunięta, dopóki jest ustawiona jako domyślna rola użytkownika',
- 'role_cannot_remove_only_admin' => 'This user is the only user assigned to the administrator role. Assign the administrator role to another user before attempting to remove it here.',
+ 'role_cannot_remove_only_admin' => 'Ten użytkownik jest jedynym użytkownikiem przypisanym do roli administratora. Przypisz rolę administratora innemu użytkownikowi przed próbą usunięcia.',
// Comments
'comment_list' => 'Wystąpił błąd podczas pobierania komentarzy.',
'app_down' => ':appName jest aktualnie wyłączona',
'back_soon' => 'Niedługo zostanie uruchomiona ponownie.',
+ // API errors
+ 'api_no_authorization_found' => 'No authorization token found on the request',
+ 'api_bad_authorization_format' => 'An authorization token was found on the request but the format appeared incorrect',
+ 'api_user_token_not_found' => 'No matching API token was found for the provided authorization token',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => 'The authorization token used has expired',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
'settings_save_success' => 'Ustawienia zapisane',
// App Settings
- 'app_customization' => 'Customization',
- 'app_features_security' => 'Features & Security',
+ 'app_customization' => 'Dostosowywanie',
+ 'app_features_security' => 'Funkcje i bezpieczeństwo',
'app_name' => 'Nazwa aplikacji',
'app_name_desc' => 'Ta nazwa jest wyświetlana w nagłówku i e-mailach.',
'app_name_header' => 'Pokazać nazwę aplikacji w nagłówku?',
- 'app_public_access' => 'Public Access',
- 'app_public_access_desc' => 'Enabling this option will allow visitors, that are not logged-in, to access content in your BookStack instance.',
- 'app_public_access_desc_guest' => 'Access for public visitors can be controlled through the "Guest" user.',
- 'app_public_access_toggle' => 'Allow public access',
+ 'app_public_access' => 'Dostęp publiczny',
+ 'app_public_access_desc' => 'Włączenie tej opcji umożliwi niezalogowanym odwiedzającym dostęp do treści w Twojej instancji BookStack.',
+ 'app_public_access_desc_guest' => 'Dostęp dla niezalogowanych odwiedzających jest dostępny poprzez użytkownika "Guest".',
+ 'app_public_access_toggle' => 'Zezwalaj na dostęp publiczny',
'app_public_viewing' => 'Zezwolić na publiczne przeglądanie?',
'app_secure_images' => 'Włączyć przesyłanie obrazów o wyższym poziomie bezpieczeństwa?',
- 'app_secure_images_toggle' => 'Enable higher security image uploads',
+ 'app_secure_images_toggle' => 'Włącz wyższy poziom bezpieczeństwa dla obrazów',
'app_secure_images_desc' => 'Ze względów wydajnościowych wszystkie obrazki są publiczne. Ta opcja dodaje dodatkowy, trudny do odgadnięcia losowy ciąg na początku nazwy obrazka. Upewnij się że indeksowanie katalogów jest zablokowane, aby uniemożliwić łatwy dostęp do obrazków.',
'app_editor' => 'Edytor strony',
'app_editor_desc' => 'Wybierz edytor używany przez użytkowników do edycji zawartości.',
'app_custom_html' => 'Własna zawartość w tagu <head>',
'app_custom_html_desc' => 'Zawartość dodana tutaj zostanie dołączona na dole sekcji <head> każdej strony. Przydatne przy nadpisywaniu styli lub dodawaniu analityki.',
- 'app_custom_html_disabled_notice' => 'Custom HTML head content is disabled on this settings page to ensure any breaking changes can be reverted.',
+ 'app_custom_html_disabled_notice' => 'Niestandardowa zawartość nagłówka HTML jest wyłączona na tej stronie ustawień aby zapewnić, że wszystkie błedne zmiany (braking change) mogą zostać cofnięte.',
'app_logo' => 'Logo aplikacji',
'app_logo_desc' => 'Ten obrazek powinien mieć nie więcej niż 43px wysokosci. <br>Większe obrazki zostaną zmniejszone.',
'app_primary_color' => 'Podstawowy kolor aplikacji',
'app_homepage_desc' => 'Wybierz widok, który będzie wyświetlany na stronie głównej zamiast w widoku domyślnego. Uprawnienia dostępowe są ignorowane dla wybranych stron.',
'app_homepage_select' => 'Wybierz stronę',
'app_disable_comments' => 'Wyłącz komentarze',
- 'app_disable_comments_toggle' => 'Disable comments',
+ 'app_disable_comments_toggle' => 'Wyłącz komentowanie',
'app_disable_comments_desc' => 'Wyłącz komentarze na wszystkich stronach w aplikacji. Istniejące komentarze nie będą pokazywane.',
+ // Color settings
+ 'content_colors' => 'Kolory zawartości',
+ 'content_colors_desc' => 'Ustawia kolory dla wszystkich elementów w hierarchii organizacji stron. Wybór kolorów o podobnej jasności do domyślnych kolorów jest zalecany dla czytelności.',
+ 'bookshelf_color' => 'Kolor półki',
+ 'book_color' => 'Kolor książki',
+ 'chapter_color' => 'Kolor rozdziału',
+ 'page_color' => 'Kolor strony',
+ 'page_draft_color' => 'Kolor szkicu strony',
+
// Registration Settings
'reg_settings' => 'Ustawienia rejestracji',
- 'reg_enable' => 'Enable Registration',
- 'reg_enable_toggle' => 'Enable registration',
- 'reg_enable_desc' => 'When registration is enabled user will be able to sign themselves up as an application user. Upon registration they are given a single, default user role.',
+ 'reg_enable' => 'Włącz rejestrację',
+ 'reg_enable_toggle' => 'Włącz rejestrację',
+ 'reg_enable_desc' => 'Kiedy rejestracja jest włączona użytkownicy mogą się rejestrować. Po rejestracji otrzymują jedną domyślną rolę użytkownika.',
'reg_default_role' => 'Domyślna rola użytkownika po rejestracji',
- 'reg_email_confirmation' => 'Email Confirmation',
- 'reg_email_confirmation_toggle' => 'Require email confirmation',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
+ 'reg_email_confirmation' => 'Potwierdzenie adresu email',
+ 'reg_email_confirmation_toggle' => 'Wymagaj potwierdzenia adresu email',
'reg_confirm_email_desc' => 'Jeśli restrykcje domenowe zostały ustawione, potwierdzenie adresu stanie się konieczne, a poniższa wartośc zostanie zignorowana.',
'reg_confirm_restrict_domain' => 'Restrykcje domenowe dot. adresu e-mail',
'reg_confirm_restrict_domain_desc' => 'Wprowadź listę domen adresów e-mail, rozdzieloną przecinkami, którym chciałbyś zezwolić na rejestrację. Wymusi to konieczność potwierdzenia adresu e-mail przez użytkownika przed uzyskaniem dostępu do aplikacji. <br> Pamiętaj, że użytkownicy będą mogli zmienić adres e-mail po rejestracji.',
'maint_image_cleanup_warning' => 'Znaleziono :count potencjalnie niepotrzebnych obrazków. Czy na pewno chcesz je usunąć?',
'maint_image_cleanup_success' => ':count potencjalnie nieużywane obrazki zostały znalezione i usunięte!',
'maint_image_cleanup_nothing_found' => 'Nie znaleziono żadnych nieużywanych obrazków. Nic nie zostało usunięte!',
+ 'maint_send_test_email' => 'Wyślij testową wiadomość e-mail',
+ 'maint_send_test_email_desc' => 'Ta opcje wyśle wiadomość testową na adres e-mail podany w Twoim profilu',
+ 'maint_send_test_email_run' => 'Wyślij testową wiadomość e-mail',
+ 'maint_send_test_email_success' => 'E-mail wysłany na adres :address',
+ 'maint_send_test_email_mail_subject' => 'E-mail testowy',
+ 'maint_send_test_email_mail_greeting' => 'Wygląda na to, że wysyłka wiadomości e-mail działa!',
+ 'maint_send_test_email_mail_text' => 'Gratulacje! Otrzymałeś tego e-maila więc Twoje ustawienia poczty elektronicznej wydają się być prawidłowo skonfigurowane.',
// Role Settings
'roles' => 'Role',
'role_system' => 'Uprawnienia systemowe',
'role_manage_users' => 'Zarządzanie użytkownikami',
'role_manage_roles' => 'Zarządzanie rolami i uprawnieniami ról',
- 'role_manage_entity_permissions' => 'Zarządzanie uprawnieniami podręczników, rozdziałów i stron',
- 'role_manage_own_entity_permissions' => 'Zarządzanie uprawnieniami własnych podręczników, rozdziałów i stron',
- 'role_manage_page_templates' => 'Manage page templates',
+ 'role_manage_entity_permissions' => 'Zarządzanie uprawnieniami książek, rozdziałów i stron',
+ 'role_manage_own_entity_permissions' => 'Zarządzanie uprawnieniami własnych książek, rozdziałów i stron',
+ 'role_manage_page_templates' => 'Zarządzaj szablonami stron',
+ 'role_access_api' => 'Access system API',
'role_manage_settings' => 'Zarządzanie ustawieniami aplikacji',
'role_asset' => 'Zarządzanie zasobami',
- 'role_asset_desc' => 'Te ustawienia kontrolują zarządzanie zasobami systemu. Uprawnienia podręczników, rozdziałów i stron nadpisują te ustawienia.',
+ 'role_asset_desc' => 'Te ustawienia kontrolują zarządzanie zasobami systemu. Uprawnienia książek, rozdziałów i stron nadpisują te ustawienia.',
'role_asset_admins' => 'Administratorzy mają automatycznie dostęp do wszystkich treści, ale te opcję mogą być pokazywać lub ukrywać opcje interfejsu użytkownika.',
'role_all' => 'Wszyscy',
'role_own' => 'Własne',
'user_profile' => 'Profil użytkownika',
'users_add_new' => 'Dodaj użytkownika',
'users_search' => 'Wyszukaj użytkownika',
- 'users_details' => 'User Details',
- 'users_details_desc' => 'Set a display name and an email address for this user. The email address will be used for logging into the application.',
- 'users_details_desc_no_email' => 'Set a display name for this user so others can recognise them.',
+ 'users_details' => 'Szczegóły użytkownika',
+ 'users_details_desc' => 'Ustaw wyświetlaną nazwę i adres e-mail dla tego użytkownika. Adres e-mail zostanie wykorzystany do zalogowania się do aplikacji.',
+ 'users_details_desc_no_email' => 'Ustaw wyświetlaną nazwę dla tego użytkownika, aby inni mogli go rozpoznać.',
'users_role' => 'Role użytkownika',
- 'users_role_desc' => 'Select which roles this user will be assigned to. If a user is assigned to multiple roles the permissions from those roles will stack and they will receive all abilities of the assigned roles.',
- 'users_password' => 'User Password',
- 'users_password_desc' => 'Set a password used to log-in to the application. This must be at least 6 characters long.',
- 'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
- 'users_send_invite_option' => 'Send user invite email',
+ 'users_role_desc' => 'Wybierz role, do których ten użytkownik zostanie przypisany. Jeśli użytkownik jest przypisany do wielu ról, uprawnienia z tych ról zostaną nałożone i otrzyma wszystkie uprawnienia przypisanych ról.',
+ 'users_password' => 'Hasło użytkownika',
+ 'users_password_desc' => 'Ustaw hasło logowania do aplikacji. Hasło musi mieć przynajmniej 6 znaków.',
+ 'users_send_invite_text' => 'Możesz wybrać wysłanie do tego użytkownika wiadomości e-mail z zaproszeniem, która pozwala mu ustawić własne hasło, w przeciwnym razie możesz ustawić je samemu.',
+ 'users_send_invite_option' => 'Wyślij e-mail z zaproszeniem',
'users_external_auth_id' => 'Zewnętrzne identyfikatory autentykacji',
- 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your LDAP system.',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
'users_password_warning' => 'Wypełnij poniżej tylko jeśli chcesz zmienić swoje hasło:',
'users_system_public' => 'Ten użytkownik reprezentuje każdego gościa odwiedzającego tę aplikację. Nie można się na niego zalogować, lecz jest przyznawany automatycznie.',
'users_delete' => 'Usuń użytkownika',
'users_avatar' => 'Avatar użytkownika',
'users_avatar_desc' => 'Ten obrazek powinien posiadać wymiary 256x256px.',
'users_preferred_language' => 'Preferowany język',
- 'users_preferred_language_desc' => 'This option will change the language used for the user-interface of the application. This will not affect any user-created content.',
+ 'users_preferred_language_desc' => 'Opcja ta zmieni język używany w interfejsie użytkownika aplikacji. Nie wpłynie to na zawartość stworzoną przez użytkownika.',
'users_social_accounts' => 'Konta społecznościowe',
'users_social_accounts_info' => 'Tutaj możesz połączyć kilka kont społecznościowych w celu łatwiejszego i szybszego logowania. Odłączenie konta tutaj nie autoryzowało dostępu. Odwołaj dostęp z ustawień profilu na podłączonym koncie społecznościowym.',
'users_social_connect' => 'Podłącz konto',
'users_social_disconnect' => 'Odłącz konto',
'users_social_connected' => ':socialAccount zostało dodane do Twojego profilu.',
'users_social_disconnected' => ':socialAccount zostało odłączone od Twojego profilu.',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'No API tokens have been created for this user',
+ 'users_api_tokens_create' => 'Create Token',
+ 'users_api_tokens_expires' => 'Expires',
+ 'users_api_tokens_docs' => 'API Documentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Create API Token',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Token Created :timeAgo',
+ 'user_api_token_updated' => 'Token Updated :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
'digits' => ':attribute musi mieć :digits cyfr.',
'digits_between' => ':attribute musi mieć od :min do :max cyfr.',
'email' => ':attribute musi być prawidłowym adresem e-mail.',
- 'ends_with' => 'The :attribute must end with one of the following: :values',
+ 'ends_with' => ':attribute musi kończyć się jedną z poniższych wartości: :values',
'filled' => ':attribute jest wymagany.',
'gt' => [
- 'numeric' => 'The :attribute must be greater than :value.',
- 'file' => 'The :attribute must be greater than :value kilobytes.',
- 'string' => 'The :attribute must be greater than :value characters.',
- 'array' => 'The :attribute must have more than :value items.',
+ 'numeric' => ':attribute musi być większy niż :value.',
+ 'file' => ':attribute musi mieć rozmiar większy niż :value kilobajtów.',
+ 'string' => ':attribute musi mieć więcej niż :value znaków.',
+ 'array' => ':attribute musi mieć więcej niż :value elementów.',
],
'gte' => [
- 'numeric' => 'The :attribute must be greater than or equal :value.',
- 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
- 'string' => 'The :attribute must be greater than or equal :value characters.',
- 'array' => 'The :attribute must have :value items or more.',
+ 'numeric' => ':attribute musi być większy lub równy :value.',
+ 'file' => ':attribute musi mieć rozmiar większy niż lub równy :value kilobajtów.',
+ 'string' => ':attribute musi mieć :value lub więcej znaków.',
+ 'array' => ':attribute musi mieć :value lub więcej elementów.',
],
'exists' => 'Wybrana wartość :attribute jest nieprawidłowa.',
'image' => ':attribute musi być obrazkiem.',
- 'image_extension' => 'The :attribute must have a valid & supported image extension.',
+ 'image_extension' => ':attribute musi mieć prawidłowe i wspierane rozszerzenie',
'in' => 'Wybrana wartość :attribute jest nieprawidłowa.',
'integer' => ':attribute musi być liczbą całkowitą.',
'ip' => ':attribute musi być prawidłowym adresem IP.',
- 'ipv4' => 'The :attribute must be a valid IPv4 address.',
- 'ipv6' => 'The :attribute must be a valid IPv6 address.',
- 'json' => 'The :attribute must be a valid JSON string.',
+ 'ipv4' => ':attribute musi być prawidłowym adresem IPv4.',
+ 'ipv6' => ':attribute musi być prawidłowym adresem IPv6.',
+ 'json' => ':attribute musi być prawidłowym ciągiem JSON.',
'lt' => [
- 'numeric' => 'The :attribute must be less than :value.',
- 'file' => 'The :attribute must be less than :value kilobytes.',
- 'string' => 'The :attribute must be less than :value characters.',
- 'array' => 'The :attribute must have less than :value items.',
+ 'numeric' => ':attribute musi być mniejszy niż :value.',
+ 'file' => ':attribute musi mieć rozmiar mniejszy niż :value kilobajtów.',
+ 'string' => ':attribute musi mieć mniej niż :value znaków.',
+ 'array' => ':attribute musi mieć mniej niż :value elementów.',
],
'lte' => [
- 'numeric' => 'The :attribute must be less than or equal :value.',
- 'file' => 'The :attribute must be less than or equal :value kilobytes.',
- 'string' => 'The :attribute must be less than or equal :value characters.',
- 'array' => 'The :attribute must not have more than :value items.',
+ 'numeric' => ':attribute musi być mniejszy lub równy :value.',
+ 'file' => ':attribute musi mieć rozmiar mniejszy lub równy:value kilobajtów.',
+ 'string' => ':attribute nie może mieć więcej niż :value znaków.',
+ 'array' => ':attribute nie może mieć więcej niż :value elementów.',
],
'max' => [
'numeric' => 'Wartość :attribute nie może być większa niż :max.',
'string' => 'Długość :attribute nie może być mniejsza niż :min znaków.',
'array' => 'Rozmiar :attribute musi posiadać co najmniej :min elementy.',
],
- 'no_double_extension' => 'The :attribute must only have a single file extension.',
+ 'no_double_extension' => ':attribute może mieć tylko jedno rozszerzenie.',
'not_in' => 'Wartość :attribute jest nieprawidłowa.',
- 'not_regex' => 'The :attribute format is invalid.',
+ 'not_regex' => 'Format :attribute jest nieprawidłowy.',
'numeric' => ':attribute musi być liczbą.',
'regex' => 'Format :attribute jest nieprawidłowy.',
'required' => 'Pole :attribute jest wymagane.',
'timezone' => ':attribute musi być prawidłową strefą czasową.',
'unique' => ':attribute zostało już zajęte.',
'url' => 'Format :attribute jest nieprawidłowy.',
- 'uploaded' => 'The file could not be uploaded. The server may not accept files of this size.',
+ 'uploaded' => 'Plik nie może zostać wysłany. Serwer nie akceptuje plików o takim rozmiarze.',
// Custom validation lines
'custom' => [
--- /dev/null
+<?php
+/**
+ * Activity text strings.
+ * Is used for all the text within activity logs & notifications.
+ */
+return [
+
+ // Pages
+ 'page_create' => 'created page',
+ 'page_create_notification' => 'Page Successfully Created',
+ 'page_update' => 'updated page',
+ 'page_update_notification' => 'Page Successfully Updated',
+ 'page_delete' => 'deleted page',
+ 'page_delete_notification' => 'Page Successfully Deleted',
+ 'page_restore' => 'restored page',
+ 'page_restore_notification' => 'Page Successfully Restored',
+ 'page_move' => 'moved page',
+
+ // Chapters
+ 'chapter_create' => 'created chapter',
+ 'chapter_create_notification' => 'Chapter Successfully Created',
+ 'chapter_update' => 'updated chapter',
+ 'chapter_update_notification' => 'Chapter Successfully Updated',
+ 'chapter_delete' => 'deleted chapter',
+ 'chapter_delete_notification' => 'Chapter Successfully Deleted',
+ 'chapter_move' => 'moved chapter',
+
+ // Books
+ 'book_create' => 'created book',
+ 'book_create_notification' => 'Book Successfully Created',
+ 'book_update' => 'updated book',
+ 'book_update_notification' => 'Book Successfully Updated',
+ 'book_delete' => 'deleted book',
+ 'book_delete_notification' => 'Book Successfully Deleted',
+ 'book_sort' => 'sorted book',
+ 'book_sort_notification' => 'Book Successfully Re-sorted',
+
+ // Bookshelves
+ 'bookshelf_create' => 'created Bookshelf',
+ 'bookshelf_create_notification' => 'Bookshelf Successfully Created',
+ 'bookshelf_update' => 'updated bookshelf',
+ 'bookshelf_update_notification' => 'Bookshelf Successfully Updated',
+ 'bookshelf_delete' => 'deleted bookshelf',
+ 'bookshelf_delete_notification' => 'Bookshelf Successfully Deleted',
+
+ // Other
+ 'commented_on' => 'commented on',
+];
--- /dev/null
+<?php
+/**
+ * Authentication Language Lines
+ * The following language lines are used during authentication for various
+ * messages that we need to display to the user.
+ */
+return [
+
+ 'failed' => 'These credentials do not match our records.',
+ 'throttle' => 'Too many login attempts. Please try again in :seconds seconds.',
+
+ // Login & Register
+ 'sign_up' => 'Sign up',
+ 'log_in' => 'Log in',
+ 'log_in_with' => 'Login with :socialDriver',
+ 'sign_up_with' => 'Sign up with :socialDriver',
+ 'logout' => 'Logout',
+
+ 'name' => 'Name',
+ 'username' => 'Username',
+ 'email' => 'Email',
+ 'password' => 'Password',
+ 'password_confirm' => 'Confirm Password',
+ 'password_hint' => 'Must be over 7 characters',
+ 'forgot_password' => 'Forgot Password?',
+ 'remember_me' => 'Remember Me',
+ 'ldap_email_hint' => 'Please enter an email to use for this account.',
+ 'create_account' => 'Create Account',
+ 'already_have_account' => 'Already have an account?',
+ 'dont_have_account' => 'Don\'t have an account?',
+ 'social_login' => 'Social Login',
+ 'social_registration' => 'Social Registration',
+ 'social_registration_text' => 'Register and sign in using another service.',
+
+ 'register_thanks' => 'Thanks for registering!',
+ 'register_confirm' => 'Please check your email and click the confirmation button to access :appName.',
+ 'registrations_disabled' => 'Registrations are currently disabled',
+ 'registration_email_domain_invalid' => 'That email domain does not have access to this application',
+ 'register_success' => 'Thanks for signing up! You are now registered and signed in.',
+
+
+ // Password Reset
+ 'reset_password' => 'Reset Password',
+ 'reset_password_send_instructions' => 'Enter your email below and you will be sent an email with a password reset link.',
+ 'reset_password_send_button' => 'Send Reset Link',
+ 'reset_password_sent_success' => 'A password reset link has been sent to :email.',
+ 'reset_password_success' => 'Your password has been successfully reset.',
+ 'email_reset_subject' => 'Reset your :appName password',
+ 'email_reset_text' => 'You are receiving this email because we received a password reset request for your account.',
+ 'email_reset_not_requested' => 'If you did not request a password reset, no further action is required.',
+
+
+ // Email Confirmation
+ 'email_confirm_subject' => 'Confirm your email on :appName',
+ 'email_confirm_greeting' => 'Thanks for joining :appName!',
+ 'email_confirm_text' => 'Please confirm your email address by clicking the button below:',
+ 'email_confirm_action' => 'Confirm Email',
+ 'email_confirm_send_error' => 'Email confirmation required but the system could not send the email. Contact the admin to ensure email is set up correctly.',
+ 'email_confirm_success' => 'Your email has been confirmed!',
+ 'email_confirm_resent' => 'Confirmation email resent, Please check your inbox.',
+
+ 'email_not_confirmed' => 'Email Address Not Confirmed',
+ 'email_not_confirmed_text' => 'Your email address has not yet been confirmed.',
+ 'email_not_confirmed_click_link' => 'Please click the link in the email that was sent shortly after you registered.',
+ 'email_not_confirmed_resend' => 'If you cannot find the email you can re-send the confirmation email by submitting the form below.',
+ 'email_not_confirmed_resend_button' => 'Resend Confirmation Email',
+
+ // User Invite
+ 'user_invite_email_subject' => 'You have been invited to join :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_action' => 'Set Account Password',
+ '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_success' => 'Password set, you now have access to :appName!'
+];
\ No newline at end of file
--- /dev/null
+<?php
+/**
+ * Common elements found throughout many areas of BookStack.
+ */
+return [
+
+ // Buttons
+ 'cancel' => 'Cancel',
+ 'confirm' => 'Confirm',
+ 'back' => 'Back',
+ 'save' => 'Save',
+ 'continue' => 'Continue',
+ 'select' => 'Select',
+ 'toggle_all' => 'Toggle All',
+ 'more' => 'More',
+
+ // Form Labels
+ 'name' => 'Name',
+ 'description' => 'Description',
+ 'role' => 'Role',
+ 'cover_image' => 'Cover image',
+ 'cover_image_description' => 'This image should be approx 440x250px.',
+
+ // Actions
+ 'actions' => 'Actions',
+ 'view' => 'View',
+ 'view_all' => 'View All',
+ 'create' => 'Create',
+ 'update' => 'Update',
+ 'edit' => 'Edit',
+ 'sort' => 'Sort',
+ 'move' => 'Move',
+ 'copy' => 'Copy',
+ 'reply' => 'Reply',
+ 'delete' => 'Delete',
+ 'search' => 'Search',
+ 'search_clear' => 'Clear Search',
+ 'reset' => 'Reset',
+ 'remove' => 'Remove',
+ 'add' => 'Add',
+ 'fullscreen' => 'Fullscreen',
+
+ // Sort Options
+ 'sort_options' => 'Sort Options',
+ 'sort_direction_toggle' => 'Sort Direction Toggle',
+ 'sort_ascending' => 'Sort Ascending',
+ 'sort_descending' => 'Sort Descending',
+ 'sort_name' => 'Name',
+ 'sort_created_at' => 'Created Date',
+ 'sort_updated_at' => 'Updated Date',
+
+ // Misc
+ 'deleted_user' => 'Deleted User',
+ 'no_activity' => 'No activity to show',
+ 'no_items' => 'No items available',
+ 'back_to_top' => 'Back to top',
+ 'toggle_details' => 'Toggle Details',
+ 'toggle_thumbnails' => 'Toggle Thumbnails',
+ 'details' => 'Details',
+ 'grid_view' => 'Grid View',
+ 'list_view' => 'List View',
+ 'default' => 'Default',
+ 'breadcrumb' => 'Breadcrumb',
+
+ // Header
+ 'profile_menu' => 'Profile Menu',
+ 'view_profile' => 'View Profile',
+ 'edit_profile' => 'Edit Profile',
+
+ // Layout tabs
+ 'tab_info' => 'Info',
+ 'tab_content' => 'Content',
+
+ // Email Content
+ 'email_action_help' => 'If you’re having trouble clicking the ":actionText" button, copy and paste the URL below into your web browser:',
+ 'email_rights' => 'All rights reserved',
+];
--- /dev/null
+<?php
+/**
+ * Text used in custom JavaScript driven components.
+ */
+return [
+
+ // Image Manager
+ 'image_select' => 'Image Select',
+ 'image_all' => 'All',
+ 'image_all_title' => 'View all images',
+ 'image_book_title' => 'View images uploaded to this book',
+ 'image_page_title' => 'View images uploaded to this page',
+ 'image_search_hint' => 'Search by image name',
+ 'image_uploaded' => 'Uploaded :uploadedDate',
+ 'image_load_more' => 'Load More',
+ 'image_image_name' => 'Image Name',
+ 'image_delete_used' => 'This image is used in the pages below.',
+ 'image_delete_confirm' => 'Click delete again to confirm you want to delete this image.',
+ 'image_select_image' => 'Select Image',
+ 'image_dropzone' => 'Drop images or click here to upload',
+ 'images_deleted' => 'Images Deleted',
+ 'image_preview' => 'Image Preview',
+ 'image_upload_success' => 'Image uploaded successfully',
+ 'image_update_success' => 'Image details successfully updated',
+ 'image_delete_success' => 'Image successfully deleted',
+ 'image_upload_remove' => 'Remove',
+
+ // Code Editor
+ 'code_editor' => 'Edit Code',
+ 'code_language' => 'Code Language',
+ 'code_content' => 'Code Content',
+ 'code_save' => 'Save Code',
+];
--- /dev/null
+<?php
+/**
+ * Text used for 'Entities' (Document Structure Elements) such as
+ * Books, Shelves, Chapters & Pages
+ */
+return [
+
+ // Shared
+ 'recently_created' => 'Recently Created',
+ 'recently_created_pages' => 'Recently Created Pages',
+ 'recently_updated_pages' => 'Recently Updated Pages',
+ 'recently_created_chapters' => 'Recently Created Chapters',
+ 'recently_created_books' => 'Recently Created Books',
+ 'recently_created_shelves' => 'Recently Created Shelves',
+ 'recently_update' => 'Recently Updated',
+ 'recently_viewed' => 'Recently Viewed',
+ 'recent_activity' => 'Recent Activity',
+ 'create_now' => 'Create one now',
+ 'revisions' => 'Revisions',
+ 'meta_revision' => 'Revision #:revisionCount',
+ 'meta_created' => 'Created :timeLength',
+ 'meta_created_name' => 'Created :timeLength by :user',
+ 'meta_updated' => 'Updated :timeLength',
+ 'meta_updated_name' => 'Updated :timeLength by :user',
+ 'entity_select' => 'Entity Select',
+ 'images' => 'Images',
+ 'my_recent_drafts' => 'My Recent Drafts',
+ 'my_recently_viewed' => 'My Recently Viewed',
+ 'no_pages_viewed' => 'You have not viewed any pages',
+ 'no_pages_recently_created' => 'No pages have been recently created',
+ 'no_pages_recently_updated' => 'No pages have been recently updated',
+ 'export' => 'Export',
+ 'export_html' => 'Contained Web File',
+ 'export_pdf' => 'PDF File',
+ 'export_text' => 'Plain Text File',
+
+ // Permissions and restrictions
+ 'permissions' => 'Permissions',
+ 'permissions_intro' => 'Once enabled, These permissions will take priority over any set role permissions.',
+ 'permissions_enable' => 'Enable Custom Permissions',
+ 'permissions_save' => 'Save Permissions',
+
+ // Search
+ 'search_results' => 'Search Results',
+ 'search_total_results_found' => ':count result found|:count total results found',
+ 'search_clear' => 'Clear Search',
+ 'search_no_pages' => 'No pages matched this search',
+ 'search_for_term' => 'Search for :term',
+ 'search_more' => 'More Results',
+ 'search_filters' => 'Search Filters',
+ 'search_content_type' => 'Content Type',
+ 'search_exact_matches' => 'Exact Matches',
+ 'search_tags' => 'Tag Searches',
+ 'search_options' => 'Options',
+ 'search_viewed_by_me' => 'Viewed by me',
+ 'search_not_viewed_by_me' => 'Not viewed by me',
+ 'search_permissions_set' => 'Permissions set',
+ 'search_created_by_me' => 'Created by me',
+ 'search_updated_by_me' => 'Updated by me',
+ 'search_date_options' => 'Date Options',
+ 'search_updated_before' => 'Updated before',
+ 'search_updated_after' => 'Updated after',
+ 'search_created_before' => 'Created before',
+ 'search_created_after' => 'Created after',
+ 'search_set_date' => 'Set Date',
+ 'search_update' => 'Update Search',
+
+ // Shelves
+ 'shelf' => 'Shelf',
+ 'shelves' => 'Shelves',
+ 'x_shelves' => ':count Shelf|:count Shelves',
+ 'shelves_long' => 'Bookshelves',
+ 'shelves_empty' => 'No shelves have been created',
+ 'shelves_create' => 'Create New Shelf',
+ 'shelves_popular' => 'Popular Shelves',
+ 'shelves_new' => 'New Shelves',
+ 'shelves_new_action' => 'New Shelf',
+ 'shelves_popular_empty' => 'The most popular shelves will appear here.',
+ 'shelves_new_empty' => 'The most recently created shelves will appear here.',
+ 'shelves_save' => 'Save Shelf',
+ 'shelves_books' => 'Books on this shelf',
+ 'shelves_add_books' => 'Add books to this shelf',
+ 'shelves_drag_books' => 'Drag books here to add them to this shelf',
+ 'shelves_empty_contents' => 'This shelf has no books assigned to it',
+ 'shelves_edit_and_assign' => 'Edit shelf to assign books',
+ 'shelves_edit_named' => 'Edit Bookshelf :name',
+ 'shelves_edit' => 'Edit Bookshelf',
+ 'shelves_delete' => 'Delete Bookshelf',
+ 'shelves_delete_named' => 'Delete Bookshelf :name',
+ 'shelves_delete_explain' => "This will delete the bookshelf with the name ':name'. Contained books will not be deleted.",
+ 'shelves_delete_confirmation' => 'Are you sure you want to delete this bookshelf?',
+ 'shelves_permissions' => 'Bookshelf Permissions',
+ 'shelves_permissions_updated' => 'Bookshelf Permissions Updated',
+ 'shelves_permissions_active' => 'Bookshelf Permissions Active',
+ 'shelves_copy_permissions_to_books' => 'Copy Permissions to Books',
+ 'shelves_copy_permissions' => 'Copy Permissions',
+ 'shelves_copy_permissions_explain' => 'This will apply the current permission settings of this bookshelf to all books contained within. Before activating, ensure any changes to the permissions of this bookshelf have been saved.',
+ 'shelves_copy_permission_success' => 'Bookshelf permissions copied to :count books',
+
+ // Books
+ 'book' => 'Book',
+ 'books' => 'Books',
+ 'x_books' => ':count Book|:count Books',
+ 'books_empty' => 'No books have been created',
+ 'books_popular' => 'Popular Books',
+ 'books_recent' => 'Recent Books',
+ 'books_new' => 'New Books',
+ 'books_new_action' => 'New Book',
+ 'books_popular_empty' => 'The most popular books will appear here.',
+ 'books_new_empty' => 'The most recently created books will appear here.',
+ 'books_create' => 'Create New Book',
+ 'books_delete' => 'Delete Book',
+ 'books_delete_named' => 'Delete Book :bookName',
+ 'books_delete_explain' => 'This will delete the book with the name \':bookName\'. All pages and chapters will be removed.',
+ 'books_delete_confirmation' => 'Are you sure you want to delete this book?',
+ 'books_edit' => 'Edit Book',
+ 'books_edit_named' => 'Edit Book :bookName',
+ 'books_form_book_name' => 'Book Name',
+ 'books_save' => 'Save Book',
+ 'books_permissions' => 'Book Permissions',
+ 'books_permissions_updated' => 'Book Permissions Updated',
+ 'books_empty_contents' => 'No pages or chapters have been created for this book.',
+ 'books_empty_create_page' => 'Create a new page',
+ 'books_empty_sort_current_book' => 'Sort the current book',
+ 'books_empty_add_chapter' => 'Add a chapter',
+ 'books_permissions_active' => 'Book Permissions Active',
+ 'books_search_this' => 'Search this book',
+ 'books_navigation' => 'Book Navigation',
+ 'books_sort' => 'Sort Book Contents',
+ 'books_sort_named' => 'Sort Book :bookName',
+ 'books_sort_name' => 'Sort by Name',
+ 'books_sort_created' => 'Sort by Created Date',
+ 'books_sort_updated' => 'Sort by Updated Date',
+ 'books_sort_chapters_first' => 'Chapters First',
+ 'books_sort_chapters_last' => 'Chapters Last',
+ 'books_sort_show_other' => 'Show Other Books',
+ 'books_sort_save' => 'Save New Order',
+
+ // Chapters
+ 'chapter' => 'Chapter',
+ 'chapters' => 'Chapters',
+ 'x_chapters' => ':count Chapter|:count Chapters',
+ 'chapters_popular' => 'Popular Chapters',
+ 'chapters_new' => 'New Chapter',
+ 'chapters_create' => 'Create New Chapter',
+ 'chapters_delete' => 'Delete Chapter',
+ 'chapters_delete_named' => 'Delete Chapter :chapterName',
+ 'chapters_delete_explain' => 'This will delete the chapter with the name \':chapterName\'. All pages will be removed and added directly to the parent book.',
+ 'chapters_delete_confirm' => 'Are you sure you want to delete this chapter?',
+ 'chapters_edit' => 'Edit Chapter',
+ 'chapters_edit_named' => 'Edit Chapter :chapterName',
+ 'chapters_save' => 'Save Chapter',
+ 'chapters_move' => 'Move Chapter',
+ 'chapters_move_named' => 'Move Chapter :chapterName',
+ 'chapter_move_success' => 'Chapter moved to :bookName',
+ 'chapters_permissions' => 'Chapter Permissions',
+ 'chapters_empty' => 'No pages are currently in this chapter.',
+ 'chapters_permissions_active' => 'Chapter Permissions Active',
+ 'chapters_permissions_success' => 'Chapter Permissions Updated',
+ 'chapters_search_this' => 'Search this chapter',
+
+ // Pages
+ 'page' => 'Page',
+ 'pages' => 'Pages',
+ 'x_pages' => ':count Page|:count Pages',
+ 'pages_popular' => 'Popular Pages',
+ 'pages_new' => 'New Page',
+ 'pages_attachments' => 'Attachments',
+ 'pages_navigation' => 'Page Navigation',
+ 'pages_delete' => 'Delete Page',
+ 'pages_delete_named' => 'Delete Page :pageName',
+ 'pages_delete_draft_named' => 'Delete Draft Page :pageName',
+ 'pages_delete_draft' => 'Delete Draft Page',
+ 'pages_delete_success' => 'Page deleted',
+ 'pages_delete_draft_success' => 'Draft page deleted',
+ 'pages_delete_confirm' => 'Are you sure you want to delete this page?',
+ 'pages_delete_draft_confirm' => 'Are you sure you want to delete this draft page?',
+ 'pages_editing_named' => 'Editing Page :pageName',
+ 'pages_edit_draft_options' => 'Draft Options',
+ 'pages_edit_save_draft' => 'Save Draft',
+ 'pages_edit_draft' => 'Edit Page Draft',
+ 'pages_editing_draft' => 'Editing Draft',
+ 'pages_editing_page' => 'Editing Page',
+ 'pages_edit_draft_save_at' => 'Draft saved at ',
+ 'pages_edit_delete_draft' => 'Delete Draft',
+ 'pages_edit_discard_draft' => 'Discard Draft',
+ 'pages_edit_set_changelog' => 'Set Changelog',
+ 'pages_edit_enter_changelog_desc' => 'Enter a brief description of the changes you\'ve made',
+ 'pages_edit_enter_changelog' => 'Enter Changelog',
+ 'pages_save' => 'Save Page',
+ 'pages_title' => 'Page Title',
+ 'pages_name' => 'Page Name',
+ 'pages_md_editor' => 'Editor',
+ 'pages_md_preview' => 'Preview',
+ 'pages_md_insert_image' => 'Insert Image',
+ 'pages_md_insert_link' => 'Insert Entity Link',
+ 'pages_md_insert_drawing' => 'Insert Drawing',
+ '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',
+ 'pages_permissions' => 'Page Permissions',
+ 'pages_permissions_success' => 'Page permissions updated',
+ 'pages_revision' => 'Revision',
+ 'pages_revisions' => 'Page Revisions',
+ 'pages_revisions_named' => 'Page Revisions for :pageName',
+ 'pages_revision_named' => 'Page Revision for :pageName',
+ 'pages_revisions_created_by' => 'Created By',
+ 'pages_revisions_date' => 'Revision Date',
+ 'pages_revisions_number' => '#',
+ 'pages_revisions_numbered' => 'Revision #:id',
+ 'pages_revisions_numbered_changes' => 'Revision #:id Changes',
+ 'pages_revisions_changelog' => 'Changelog',
+ 'pages_revisions_changes' => 'Changes',
+ 'pages_revisions_current' => 'Current Version',
+ 'pages_revisions_preview' => 'Preview',
+ 'pages_revisions_restore' => 'Restore',
+ 'pages_revisions_none' => 'This page has no revisions',
+ 'pages_copy_link' => 'Copy Link',
+ 'pages_edit_content_link' => 'Edit Content',
+ 'pages_permissions_active' => 'Page Permissions Active',
+ 'pages_initial_revision' => 'Initial publish',
+ 'pages_initial_name' => 'New Page',
+ 'pages_editing_draft_notification' => 'You are currently editing a draft that was last saved :timeDiff.',
+ 'pages_draft_edited_notification' => 'This page has been updated by since that time. It is recommended that you discard this draft.',
+ 'pages_draft_edit_active' => [
+ 'start_a' => ':count users have started editing this page',
+ 'start_b' => ':userName has started editing this page',
+ 'time_a' => 'since the page was last updated',
+ '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_specific' => 'Specific Page',
+ 'pages_is_template' => 'Page Template',
+
+ // Editor Sidebar
+ 'page_tags' => 'Page Tags',
+ 'chapter_tags' => 'Chapter Tags',
+ 'book_tags' => 'Book Tags',
+ 'shelf_tags' => 'Shelf Tags',
+ 'tag' => 'Tag',
+ 'tags' => 'Tags',
+ 'tag_name' => 'Tag Name',
+ 'tag_value' => 'Tag Value (Optional)',
+ 'tags_explain' => "Add some tags to better categorise your content. \n You can assign a value to a tag for more in-depth organisation.",
+ 'tags_add' => 'Add another tag',
+ 'tags_remove' => 'Remove this tag',
+ 'attachments' => 'Attachments',
+ 'attachments_explain' => 'Upload some files or attach some links to display on your page. These are visible in the page sidebar.',
+ 'attachments_explain_instant_save' => 'Changes here are saved instantly.',
+ 'attachments_items' => 'Attached Items',
+ 'attachments_upload' => 'Upload File',
+ 'attachments_link' => 'Attach Link',
+ 'attachments_set_link' => 'Set Link',
+ 'attachments_delete_confirm' => 'Click delete again to confirm you want to delete this attachment.',
+ 'attachments_dropzone' => 'Drop files or click here to attach a file',
+ 'attachments_no_files' => 'No files have been uploaded',
+ 'attachments_explain_link' => 'You can attach a link if you\'d prefer not to upload a file. This can be a link to another page or a link to a file in the cloud.',
+ 'attachments_link_name' => 'Link Name',
+ 'attachment_link' => 'Attachment link',
+ 'attachments_link_url' => 'Link to file',
+ 'attachments_link_url_hint' => 'Url of site or file',
+ 'attach' => 'Attach',
+ 'attachments_edit_file' => 'Edit File',
+ 'attachments_edit_file_name' => 'File Name',
+ 'attachments_edit_drop_upload' => 'Drop files or click here to upload and overwrite',
+ 'attachments_order_updated' => 'Attachment order updated',
+ 'attachments_updated_success' => 'Attachment details updated',
+ 'attachments_deleted' => 'Attachment deleted',
+ 'attachments_file_uploaded' => 'File successfully uploaded',
+ 'attachments_file_updated' => 'File successfully updated',
+ 'attachments_link_attached' => 'Link successfully attached to page',
+ 'templates' => 'Templates',
+ 'templates_set_as_template' => 'Page is a template',
+ 'templates_explain_set_as_template' => 'You can set this page as a template so its contents be utilized when creating other pages. Other users will be able to use this template if they have view permissions for this page.',
+ 'templates_replace_content' => 'Replace page content',
+ 'templates_append_content' => 'Append to page content',
+ 'templates_prepend_content' => 'Prepend to page content',
+
+ // Profile View
+ 'profile_user_for_x' => 'User for :time',
+ 'profile_created_content' => 'Created Content',
+ 'profile_not_created_pages' => ':userName has not created any pages',
+ 'profile_not_created_chapters' => ':userName has not created any chapters',
+ 'profile_not_created_books' => ':userName has not created any books',
+ 'profile_not_created_shelves' => ':userName has not created any shelves',
+
+ // Comments
+ 'comment' => 'Comment',
+ 'comments' => 'Comments',
+ 'comment_add' => 'Add Comment',
+ '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_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',
+
+ // 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.'
+];
\ No newline at end of file
--- /dev/null
+<?php
+/**
+ * Text shown in error messaging.
+ */
+return [
+
+ // Permissions
+ 'permission' => 'You do not have permission to access the requested page.',
+ 'permissionJson' => 'You do not have permission to perform the requested action.',
+
+ // Auth
+ 'error_user_exists_different_creds' => 'A user with the email :email already exists but with different credentials.',
+ 'email_already_confirmed' => 'Email has already been confirmed, Try logging in.',
+ 'email_confirmation_invalid' => 'This confirmation token is not valid or has already been used, Please try registering again.',
+ 'email_confirmation_expired' => 'The confirmation token has expired, A new confirmation email has been sent.',
+ '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_authed' => 'LDAP access failed using given dn & password details',
+ 'ldap_extension_not_installed' => 'LDAP PHP extension not installed',
+ 'ldap_cannot_connect' => 'Cannot connect to ldap server, Initial connection failed',
+ 'saml_already_logged_in' => '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',
+ 'social_no_action_defined' => 'No action defined',
+ 'social_login_bad_response' => "Error received during :socialAccount login: \n:error",
+ 'social_account_in_use' => 'This :socialAccount account is already in use, Try logging in via the :socialAccount option.',
+ 'social_account_email_in_use' => 'The email :email is already in use. If you already have an account you can connect your :socialAccount account from your profile settings.',
+ 'social_account_existing' => 'This :socialAccount is already attached to your profile.',
+ 'social_account_already_used_existing' => 'This :socialAccount account is already used by another user.',
+ 'social_account_not_used' => 'This :socialAccount account is not linked to any users. Please attach it in your profile settings. ',
+ 'social_account_register_instructions' => 'If you do not yet have an account, You can register an account using the :socialAccount option.',
+ 'social_driver_not_found' => 'Social driver not found',
+ 'social_driver_not_configured' => 'Your :socialAccount social settings are not configured correctly.',
+ 'invite_token_expired' => 'This invitation link has expired. You can instead try to reset your account password.',
+
+ // System
+ 'path_not_writable' => 'File path :filePath could not be uploaded to. Ensure it is writable to the server.',
+ 'cannot_get_image_from_url' => 'Cannot get image from :url',
+ 'cannot_create_thumbs' => 'The server cannot create thumbnails. Please check you have the GD PHP extension installed.',
+ 'server_upload_limit' => 'The server does not allow uploads of this size. Please try a smaller file size.',
+ 'uploaded' => 'The server does not allow uploads of this size. Please try a smaller file size.',
+ 'image_upload_error' => 'An error occurred uploading the image',
+ 'image_upload_type_error' => 'The image type being uploaded is invalid',
+ 'file_upload_timeout' => 'The file upload has timed out.',
+
+ // Attachments
+ 'attachment_page_mismatch' => 'Page mismatch during attachment update',
+ 'attachment_not_found' => 'Attachment not found',
+
+ // Pages
+ 'page_draft_autosave_fail' => 'Failed to save draft. Ensure you have internet connection before saving this page',
+ 'page_custom_home_deletion' => 'Cannot delete a page while it is set as a homepage',
+
+ // Entities
+ 'entity_not_found' => 'Entity not found',
+ 'bookshelf_not_found' => 'Bookshelf not found',
+ 'book_not_found' => 'Book not found',
+ 'page_not_found' => 'Page not found',
+ 'chapter_not_found' => 'Chapter not found',
+ 'selected_book_not_found' => 'The selected book was not found',
+ 'selected_book_chapter_not_found' => 'The selected Book or Chapter was not found',
+ 'guests_cannot_save_drafts' => 'Guests cannot save drafts',
+
+ // Users
+ 'users_cannot_delete_only_admin' => 'You cannot delete the only admin',
+ 'users_cannot_delete_guest' => 'You cannot delete the guest user',
+
+ // Roles
+ 'role_cannot_be_edited' => 'This role cannot be edited',
+ 'role_system_cannot_be_deleted' => 'This role is a system role and cannot be deleted',
+ 'role_registration_default_cannot_delete' => 'This role cannot be deleted while set as the default registration role',
+ 'role_cannot_remove_only_admin' => 'This user is the only user assigned to the administrator role. Assign the administrator role to another user before attempting to remove it here.',
+
+ // Comments
+ 'comment_list' => 'An error occurred while fetching the comments.',
+ 'cannot_add_comment_to_draft' => 'You cannot add comments to a draft.',
+ 'comment_add' => 'An error occurred while adding / updating the comment.',
+ 'comment_delete' => 'An error occurred while deleting the comment.',
+ 'empty_comment' => 'Cannot add an empty comment.',
+
+ // Error pages
+ '404_page_not_found' => 'Page Not Found',
+ 'sorry_page_not_found' => 'Sorry, The page you were looking for could not be found.',
+ 'return_home' => 'Return to home',
+ 'error_occurred' => 'An Error Occurred',
+ 'app_down' => ':appName is down right now',
+ 'back_soon' => 'It will be back up soon.',
+
+ // API errors
+ 'api_no_authorization_found' => 'No authorization token found on the request',
+ 'api_bad_authorization_format' => 'An authorization token was found on the request but the format appeared incorrect',
+ 'api_user_token_not_found' => 'No matching API token was found for the provided authorization token',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => 'The authorization token used has expired',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
+];
--- /dev/null
+<?php
+/**
+ * Pagination Language Lines
+ * The following language lines are used by the paginator library to build
+ * the simple pagination links.
+ */
+return [
+
+ 'previous' => '« Previous',
+ 'next' => 'Next »',
+
+];
--- /dev/null
+<?php
+/**
+ * Password Reminder Language Lines
+ * The following language lines are the default lines which match reasons
+ * that are given by the password broker for a password update attempt has failed.
+ */
+return [
+
+ 'password' => 'Passwords must be at least eight characters and match the confirmation.',
+ 'user' => "We can't find a user with that e-mail address.",
+ 'token' => 'This password reset token is invalid.',
+ 'sent' => 'We have e-mailed your password reset link!',
+ 'reset' => 'Your password has been reset!',
+
+];
--- /dev/null
+<?php
+/**
+ * Settings text strings
+ * Contains all text strings used in the general settings sections of BookStack
+ * including users and roles.
+ */
+return [
+
+ // Common Messages
+ 'settings' => 'Settings',
+ 'settings_save' => 'Save Settings',
+ 'settings_save_success' => 'Settings saved',
+
+ // App Settings
+ 'app_customization' => 'Customization',
+ 'app_features_security' => 'Features & Security',
+ 'app_name' => 'Application Name',
+ 'app_name_desc' => 'This name is shown in the header and in any system-sent emails.',
+ 'app_name_header' => 'Show name in header',
+ 'app_public_access' => 'Public Access',
+ 'app_public_access_desc' => 'Enabling this option will allow visitors, that are not logged-in, to access content in your BookStack instance.',
+ 'app_public_access_desc_guest' => 'Access for public visitors can be controlled through the "Guest" user.',
+ 'app_public_access_toggle' => 'Allow public access',
+ 'app_public_viewing' => 'Allow public viewing?',
+ 'app_secure_images' => 'Higher Security Image Uploads',
+ 'app_secure_images_toggle' => 'Enable higher security image uploads',
+ 'app_secure_images_desc' => 'For performance reasons, all images are public. This option adds a random, hard-to-guess string in front of image urls. Ensure directory indexes are not enabled to prevent easy access.',
+ 'app_editor' => 'Page Editor',
+ 'app_editor_desc' => 'Select which editor will be used by all users to edit pages.',
+ 'app_custom_html' => 'Custom HTML Head Content',
+ 'app_custom_html_desc' => 'Any content added here will be inserted into the bottom of the <head> section of every page. This is handy for overriding styles or adding analytics code.',
+ 'app_custom_html_disabled_notice' => 'Custom HTML head content is disabled on this settings page to ensure any breaking changes can be reverted.',
+ 'app_logo' => 'Application Logo',
+ 'app_logo_desc' => 'This image should be 43px in height. <br>Large images will be scaled down.',
+ 'app_primary_color' => 'Application Primary Color',
+ 'app_primary_color_desc' => 'Sets the primary color for the application including the banner, buttons, and links.',
+ 'app_homepage' => 'Application Homepage',
+ 'app_homepage_desc' => 'Select a view to show on the homepage instead of the default view. Page permissions are ignored for selected pages.',
+ 'app_homepage_select' => 'Select a page',
+ 'app_disable_comments' => 'Disable Comments',
+ 'app_disable_comments_toggle' => 'Disable comments',
+ 'app_disable_comments_desc' => 'Disables comments across all pages in the application. <br> Existing comments are not shown.',
+
+ // Color settings
+ 'content_colors' => 'Content Colors',
+ 'content_colors_desc' => 'Sets 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' => 'Shelf Color',
+ 'book_color' => 'Book Color',
+ 'chapter_color' => 'Chapter Color',
+ 'page_color' => 'Page Color',
+ 'page_draft_color' => 'Page Draft Color',
+
+ // Registration Settings
+ 'reg_settings' => 'Registration',
+ 'reg_enable' => 'Enable Registration',
+ 'reg_enable_toggle' => 'Enable registration',
+ 'reg_enable_desc' => 'When registration is enabled user will be able to sign themselves up as an application user. Upon registration they are given a single, default user role.',
+ 'reg_default_role' => 'Default user role after registration',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
+ 'reg_email_confirmation' => 'Email Confirmation',
+ 'reg_email_confirmation_toggle' => 'Require email confirmation',
+ 'reg_confirm_email_desc' => 'If domain restriction is used then email confirmation will be required and this option will be ignored.',
+ 'reg_confirm_restrict_domain' => 'Domain Restriction',
+ 'reg_confirm_restrict_domain_desc' => 'Enter a comma separated list of email domains you would like to restrict registration to. Users will be sent an email to confirm their address before being allowed to interact with the application. <br> Note that users will be able to change their email addresses after successful registration.',
+ 'reg_confirm_restrict_domain_placeholder' => 'No restriction set',
+
+ // Maintenance settings
+ 'maint' => 'Maintenance',
+ 'maint_image_cleanup' => 'Cleanup Images',
+ 'maint_image_cleanup_desc' => "Scans page & revision content to check which images and drawings are currently in use and which images are redundant. Ensure you create a full database and image backup before running this.",
+ 'maint_image_cleanup_ignore_revisions' => 'Ignore images in revisions',
+ 'maint_image_cleanup_run' => 'Run Cleanup',
+ 'maint_image_cleanup_warning' => ':count potentially unused images were found. Are you sure you want to delete these images?',
+ 'maint_image_cleanup_success' => ':count potentially unused images found and deleted!',
+ 'maint_image_cleanup_nothing_found' => 'No unused images found, Nothing deleted!',
+ 'maint_send_test_email' => 'Send a Test Email',
+ 'maint_send_test_email_desc' => 'This sends a test email to your email address specified in your profile.',
+ 'maint_send_test_email_run' => 'Send test email',
+ 'maint_send_test_email_success' => 'Email sent to :address',
+ 'maint_send_test_email_mail_subject' => 'Test Email',
+ 'maint_send_test_email_mail_greeting' => 'Email delivery seems to work!',
+ 'maint_send_test_email_mail_text' => 'Congratulations! As you received this email notification, your email settings seem to be configured properly.',
+
+ // Role Settings
+ 'roles' => 'Roles',
+ 'role_user_roles' => 'User Roles',
+ 'role_create' => 'Create New Role',
+ 'role_create_success' => 'Role successfully created',
+ 'role_delete' => 'Delete Role',
+ 'role_delete_confirm' => 'This will delete the role with the name \':roleName\'.',
+ 'role_delete_users_assigned' => 'This role has :userCount users assigned to it. If you would like to migrate the users from this role select a new role below.',
+ 'role_delete_no_migration' => "Don't migrate users",
+ 'role_delete_sure' => 'Are you sure you want to delete this role?',
+ 'role_delete_success' => 'Role successfully deleted',
+ 'role_edit' => 'Edit Role',
+ 'role_details' => 'Role Details',
+ 'role_name' => 'Role Name',
+ 'role_desc' => 'Short Description of Role',
+ 'role_external_auth_id' => 'External Authentication IDs',
+ 'role_system' => 'System Permissions',
+ 'role_manage_users' => 'Manage users',
+ 'role_manage_roles' => 'Manage roles & role permissions',
+ 'role_manage_entity_permissions' => 'Manage all book, chapter & page permissions',
+ 'role_manage_own_entity_permissions' => 'Manage permissions on own book, chapter & pages',
+ 'role_manage_page_templates' => 'Manage page templates',
+ 'role_access_api' => 'Access system API',
+ 'role_manage_settings' => 'Manage app settings',
+ 'role_asset' => 'Asset Permissions',
+ 'role_asset_desc' => 'These permissions control default access to the assets within the system. Permissions on Books, Chapters and Pages will override these permissions.',
+ 'role_asset_admins' => 'Admins are automatically given access to all content but these options may show or hide UI options.',
+ 'role_all' => 'All',
+ 'role_own' => 'Own',
+ 'role_controlled_by_asset' => 'Controlled by the asset they are uploaded to',
+ 'role_save' => 'Save Role',
+ 'role_update_success' => 'Role successfully updated',
+ 'role_users' => 'Users in this role',
+ 'role_users_none' => 'No users are currently assigned to this role',
+
+ // Users
+ 'users' => 'Users',
+ 'user_profile' => 'User Profile',
+ 'users_add_new' => 'Add New User',
+ 'users_search' => 'Search Users',
+ 'users_details' => 'User Details',
+ 'users_details_desc' => 'Set a display name and an email address for this user. The email address will be used for logging into the application.',
+ 'users_details_desc_no_email' => 'Set a display name for this user so others can recognise them.',
+ 'users_role' => 'User Roles',
+ 'users_role_desc' => 'Select which roles this user will be assigned to. If a user is assigned to multiple roles the permissions from those roles will stack and they will receive all abilities of the assigned roles.',
+ 'users_password' => 'User Password',
+ 'users_password_desc' => 'Set a password used to log-in to the application. This must be at least 6 characters long.',
+ 'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
+ 'users_send_invite_option' => 'Send user invite email',
+ 'users_external_auth_id' => 'External Authentication ID',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
+ 'users_password_warning' => 'Only fill the below if you would like to change your password.',
+ 'users_system_public' => 'This user represents any guest users that visit your instance. It cannot be used to log in but is assigned automatically.',
+ 'users_delete' => 'Delete User',
+ 'users_delete_named' => 'Delete user :userName',
+ 'users_delete_warning' => 'This will fully delete this user with the name \':userName\' from the system.',
+ 'users_delete_confirm' => 'Are you sure you want to delete this user?',
+ 'users_delete_success' => 'Users successfully removed',
+ 'users_edit' => 'Edit User',
+ 'users_edit_profile' => 'Edit Profile',
+ 'users_edit_success' => 'User successfully updated',
+ 'users_avatar' => 'User Avatar',
+ 'users_avatar_desc' => 'Select an image to represent this user. This should be approx 256px square.',
+ 'users_preferred_language' => 'Preferred Language',
+ 'users_preferred_language_desc' => 'This option will change the language used for the user-interface of the application. This will not affect any user-created content.',
+ 'users_social_accounts' => 'Social Accounts',
+ 'users_social_accounts_info' => 'Here you can connect your other accounts for quicker and easier login. Disconnecting an account here does not revoke previously authorized access. Revoke access from your profile settings on the connected social account.',
+ 'users_social_connect' => 'Connect Account',
+ 'users_social_disconnect' => 'Disconnect Account',
+ 'users_social_connected' => ':socialAccount account was successfully attached to your profile.',
+ 'users_social_disconnected' => ':socialAccount account was successfully disconnected from your profile.',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'No API tokens have been created for this user',
+ 'users_api_tokens_create' => 'Create Token',
+ 'users_api_tokens_expires' => 'Expires',
+ 'users_api_tokens_docs' => 'API Documentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Create API Token',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Token Created :timeAgo',
+ 'user_api_token_updated' => 'Token Updated :timeAgo',
+ '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',
+
+ //! If editing translations files directly please ignore this in all
+ //! languages apart from en. Content will be auto-copied from en.
+ //!////////////////////////////////
+ 'language_select' => [
+ 'en' => 'English',
+ 'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
+ 'de' => 'Deutsch (Sie)',
+ 'de_informal' => 'Deutsch (Du)',
+ 'es' => 'Español',
+ 'es_AR' => 'Español Argentina',
+ 'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
+ 'nl' => 'Nederlands',
+ 'pl' => 'Polski',
+ 'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
+ 'sk' => 'Slovensky',
+ 'sv' => 'Svenska',
+ 'tr' => 'Türkçe',
+ 'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
+ 'zh_CN' => '简体中文',
+ 'zh_TW' => '繁體中文',
+ ]
+ //!////////////////////////////////
+];
--- /dev/null
+<?php
+/**
+ * Validation Lines
+ * The following language lines contain the default error messages used by
+ * the validator class. Some of these rules have multiple versions such
+ * as the size rules. Feel free to tweak each of these messages here.
+ */
+return [
+
+ // Standard laravel validation lines
+ 'accepted' => 'The :attribute must be accepted.',
+ 'active_url' => 'The :attribute is not a valid URL.',
+ 'after' => 'The :attribute must be a date after :date.',
+ 'alpha' => 'The :attribute may only contain letters.',
+ 'alpha_dash' => 'The :attribute may only contain letters, numbers, dashes and underscores.',
+ 'alpha_num' => 'The :attribute may only contain letters and numbers.',
+ 'array' => 'The :attribute must be an array.',
+ 'before' => 'The :attribute must be a date before :date.',
+ 'between' => [
+ 'numeric' => 'The :attribute must be between :min and :max.',
+ 'file' => 'The :attribute must be between :min and :max kilobytes.',
+ 'string' => 'The :attribute must be between :min and :max characters.',
+ 'array' => 'The :attribute must have between :min and :max items.',
+ ],
+ 'boolean' => 'The :attribute field must be true or false.',
+ 'confirmed' => 'The :attribute confirmation does not match.',
+ 'date' => 'The :attribute is not a valid date.',
+ 'date_format' => 'The :attribute does not match the format :format.',
+ 'different' => 'The :attribute and :other must be different.',
+ 'digits' => 'The :attribute must be :digits digits.',
+ 'digits_between' => 'The :attribute must be between :min and :max digits.',
+ 'email' => 'The :attribute must be a valid email address.',
+ 'ends_with' => 'The :attribute must end with one of the following: :values',
+ 'filled' => 'The :attribute field is required.',
+ 'gt' => [
+ 'numeric' => 'The :attribute must be greater than :value.',
+ 'file' => 'The :attribute must be greater than :value kilobytes.',
+ 'string' => 'The :attribute must be greater than :value characters.',
+ 'array' => 'The :attribute must have more than :value items.',
+ ],
+ 'gte' => [
+ 'numeric' => 'The :attribute must be greater than or equal :value.',
+ 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
+ 'string' => 'The :attribute must be greater than or equal :value characters.',
+ 'array' => 'The :attribute must have :value items or more.',
+ ],
+ 'exists' => 'The selected :attribute is invalid.',
+ 'image' => 'The :attribute must be an image.',
+ 'image_extension' => 'The :attribute must have a valid & supported image extension.',
+ 'in' => 'The selected :attribute is invalid.',
+ 'integer' => 'The :attribute must be an integer.',
+ 'ip' => 'The :attribute must be a valid IP address.',
+ 'ipv4' => 'The :attribute must be a valid IPv4 address.',
+ 'ipv6' => 'The :attribute must be a valid IPv6 address.',
+ 'json' => 'The :attribute must be a valid JSON string.',
+ 'lt' => [
+ 'numeric' => 'The :attribute must be less than :value.',
+ 'file' => 'The :attribute must be less than :value kilobytes.',
+ 'string' => 'The :attribute must be less than :value characters.',
+ 'array' => 'The :attribute must have less than :value items.',
+ ],
+ 'lte' => [
+ 'numeric' => 'The :attribute must be less than or equal :value.',
+ 'file' => 'The :attribute must be less than or equal :value kilobytes.',
+ 'string' => 'The :attribute must be less than or equal :value characters.',
+ 'array' => 'The :attribute must not have more than :value items.',
+ ],
+ 'max' => [
+ 'numeric' => 'The :attribute may not be greater than :max.',
+ 'file' => 'The :attribute may not be greater than :max kilobytes.',
+ 'string' => 'The :attribute may not be greater than :max characters.',
+ 'array' => 'The :attribute may not have more than :max items.',
+ ],
+ 'mimes' => 'The :attribute must be a file of type: :values.',
+ 'min' => [
+ 'numeric' => 'The :attribute must be at least :min.',
+ 'file' => 'The :attribute must be at least :min kilobytes.',
+ 'string' => 'The :attribute must be at least :min characters.',
+ 'array' => 'The :attribute must have at least :min items.',
+ ],
+ 'no_double_extension' => 'The :attribute must only have a single file extension.',
+ 'not_in' => 'The selected :attribute is invalid.',
+ 'not_regex' => 'The :attribute format is invalid.',
+ 'numeric' => 'The :attribute must be a number.',
+ 'regex' => 'The :attribute format is invalid.',
+ 'required' => 'The :attribute field is required.',
+ 'required_if' => 'The :attribute field is required when :other is :value.',
+ 'required_with' => 'The :attribute field is required when :values is present.',
+ 'required_with_all' => 'The :attribute field is required when :values is present.',
+ 'required_without' => 'The :attribute field is required when :values is not present.',
+ 'required_without_all' => 'The :attribute field is required when none of :values are present.',
+ 'same' => 'The :attribute and :other must match.',
+ 'size' => [
+ 'numeric' => 'The :attribute must be :size.',
+ 'file' => 'The :attribute must be :size kilobytes.',
+ 'string' => 'The :attribute must be :size characters.',
+ 'array' => 'The :attribute must contain :size items.',
+ ],
+ 'string' => 'The :attribute must be a string.',
+ 'timezone' => 'The :attribute must be a valid zone.',
+ 'unique' => 'The :attribute has already been taken.',
+ 'url' => 'The :attribute format is invalid.',
+ 'uploaded' => 'The file could not be uploaded. The server may not accept files of this size.',
+
+ // Custom validation lines
+ 'custom' => [
+ 'password-confirm' => [
+ 'required_with' => 'Password confirmation required',
+ ],
+ ],
+
+ // Custom validation attributes
+ 'attributes' => [],
+];
return [
// Pages
- 'page_create' => 'página criada',
+ 'page_create' => 'criou a página',
'page_create_notification' => 'Página criada com sucesso',
- 'page_update' => 'página atualizada',
+ 'page_update' => 'atualizou a página',
'page_update_notification' => 'Página atualizada com sucesso',
- 'page_delete' => 'página excluída',
+ 'page_delete' => 'excluiu a página',
'page_delete_notification' => 'Página excluída com sucesso',
- 'page_restore' => 'página restaurada',
+ 'page_restore' => 'restaurou a página',
'page_restore_notification' => 'Página restaurada com sucesso',
- 'page_move' => 'página movida',
+ 'page_move' => 'moveu a página',
// Chapters
- 'chapter_create' => 'capítulo criado',
+ 'chapter_create' => 'criou o capítulo',
'chapter_create_notification' => 'Capítulo criado com sucesso',
- 'chapter_update' => 'capítulo atualizado',
- 'chapter_update_notification' => 'capítulo atualizado com sucesso',
- 'chapter_delete' => 'capítulo excluído',
+ 'chapter_update' => 'atualizou o capítulo',
+ 'chapter_update_notification' => 'Capítulo atualizado com sucesso',
+ 'chapter_delete' => 'excluiu o capítulo',
'chapter_delete_notification' => 'Capítulo excluído com sucesso',
- 'chapter_move' => 'capitulo movido',
+ 'chapter_move' => 'moveu o capítulo',
// Books
- 'book_create' => 'livro criado',
+ 'book_create' => 'criou o livro',
'book_create_notification' => 'Livro criado com sucesso',
- 'book_update' => 'livro atualizado',
+ 'book_update' => 'atualizou o livro',
'book_update_notification' => 'Livro atualizado com sucesso',
- 'book_delete' => 'livro excluído',
+ 'book_delete' => 'excluiu o livro',
'book_delete_notification' => 'Livro excluído com sucesso',
- 'book_sort' => 'livro classificado',
- 'book_sort_notification' => 'Livro reclassificado com sucesso',
+ 'book_sort' => 'ordenou o livro',
+ 'book_sort_notification' => 'Livro reordenado com sucesso',
// Bookshelves
- 'bookshelf_create' => 'prateleira de livros criada',
- 'bookshelf_create_notification' => 'Prateleira de Livros criada com sucesso',
- 'bookshelf_update' => 'prateleira de livros atualizada',
- 'bookshelf_update_notification' => 'Prateleira de Livros atualizada com sucesso',
- 'bookshelf_delete' => 'prateleira de livros excluída',
- 'bookshelf_delete_notification' => 'Prateleira de Livros excluída com sucesso',
+ 'bookshelf_create' => 'criou a prateleira',
+ 'bookshelf_create_notification' => 'Prateleira criada com sucesso',
+ 'bookshelf_update' => 'atualizou a prateleira',
+ 'bookshelf_update_notification' => 'Prateleira atualizada com sucesso',
+ 'bookshelf_delete' => 'excluiu a prateleira',
+ 'bookshelf_delete_notification' => 'Prateleira excluída com sucesso',
// Other
'commented_on' => 'comentou em',
*/
return [
- 'failed' => 'As credenciais fornecidas não puderam ser validadas em nossos registros..',
+ 'failed' => 'As credenciais fornecidas não puderam ser validadas em nossos registros.',
'throttle' => 'Muitas tentativas de login. Por favor, tente novamente em :seconds segundos.',
// Login & Register
- 'sign_up' => 'Registrar-se',
+ 'sign_up' => 'Criar Conta',
'log_in' => 'Entrar',
'log_in_with' => 'Entrar com :socialDriver',
- 'sign_up_with' => 'Registrar com :socialDriver',
+ 'sign_up_with' => 'Cadastre-se com :socialDriver',
'logout' => 'Sair',
'name' => 'Nome',
'email' => 'E-mail',
'password' => 'Senha',
'password_confirm' => 'Confirmar Senha',
- 'password_hint' => 'Senha deverá ser maior que 7 caracteres',
+ 'password_hint' => 'Deve ser maior que 7 caracteres',
'forgot_password' => 'Esqueceu a senha?',
'remember_me' => 'Lembrar de mim',
'ldap_email_hint' => 'Por favor, digite um e-mail para essa conta.',
- 'create_account' => 'Criar conta',
- 'already_have_account' => 'Você já possui uma conta?',
+ 'create_account' => 'Criar Conta',
+ 'already_have_account' => 'Já possui uma conta?',
'dont_have_account' => 'Não possui uma conta?',
- 'social_login' => 'Login social',
- 'social_registration' => 'Registro social',
- 'social_registration_text' => 'Registre e entre usando outro serviço.',
+ 'social_login' => 'Login Social',
+ 'social_registration' => 'Cadastro Social',
+ 'social_registration_text' => 'Cadastre-se e entre utilizando outro serviço.',
- 'register_thanks' => 'Obrigado por efetuar o registro!',
+ 'register_thanks' => 'Obrigado por se cadastrar!',
'register_confirm' => 'Por favor, verifique seu e-mail e clique no botão de confirmação para acessar :appName.',
- 'registrations_disabled' => 'Registros estão temporariamente desabilitados',
+ 'registrations_disabled' => 'Cadastros estão temporariamente desabilitados',
'registration_email_domain_invalid' => 'O domínio de e-mail usado não tem acesso permitido a essa aplicação',
- 'register_success' => 'Obrigado por se registrar! Você agora encontra-se registrado e logado..',
+ 'register_success' => 'Obrigado por se cadastrar! Você agora encontra-se cadastrado(a) e logado(a).',
// Password Reset
- 'reset_password' => 'Resetar senha',
- 'reset_password_send_instructions' => 'Digite seu e-mail abaixo e o sistema enviará uma mensagem com o link de reset de senha.',
- 'reset_password_send_button' => 'Enviar o link de reset de senha',
- 'reset_password_sent_success' => 'Um link de reset de senha foi enviado para :email.',
- 'reset_password_success' => 'Sua senha foi resetada com sucesso.',
- 'email_reset_subject' => 'Resetar a senha de :appName',
- 'email_reset_text' => 'Você recebeu esse e-mail pois recebemos uma solicitação de reset de senha para sua conta.',
- 'email_reset_not_requested' => 'Caso não tenha sido você a solicitar o reset de senha, ignore esse e-mail.',
+ 'reset_password' => 'Redefinir Senha',
+ 'reset_password_send_instructions' => 'Insira seu e-mail abaixo e uma mensagem com o link de redefinição de senha lhe será enviada.',
+ 'reset_password_send_button' => 'Enviar o Link de Redefinição',
+ 'reset_password_sent_success' => 'Um link de redefinição de senha foi enviado para :email.',
+ 'reset_password_success' => 'Sua senha foi redefinida com sucesso.',
+ 'email_reset_subject' => 'Redefina a senha de :appName',
+ 'email_reset_text' => 'Você recebeu esse e-mail pois recebemos uma solicitação de redefinição de senha para a sua conta.',
+ 'email_reset_not_requested' => 'Caso não tenha sido você a solicitar a redefinição de senha, ignore esse e-mail.',
// Email Confirmation
'email_confirm_subject' => 'Confirme seu e-mail para :appName',
- 'email_confirm_greeting' => 'Obrigado por se registrar em :appName!',
+ 'email_confirm_greeting' => 'Obrigado por se cadastrar em :appName!',
'email_confirm_text' => 'Por favor, confirme seu endereço de e-mail clicando no botão abaixo:',
'email_confirm_action' => 'Confirmar E-mail',
- 'email_confirm_send_error' => 'E-mail de confirmação é requerido, mas o sistema não pôde enviar a mensagem. Por favor, entre em contato com o admin para se certificar que o serviço de envio de e-mails está corretamente configurado.',
+ 'email_confirm_send_error' => 'A confirmação de e-mail é requerida, mas o sistema não pôde enviar a mensagem. Por favor, entre em contato com o administrador para se certificar que o serviço de envio de e-mails está corretamente configurado.',
'email_confirm_success' => 'Seu e-mail foi confirmado!',
- 'email_confirm_resent' => 'E-mail de confirmação reenviado. Por favor, cheque sua caixa postal.',
+ 'email_confirm_resent' => 'E-mail de confirmação reenviado. Por favor, verifique sua caixa de entrada.',
- 'email_not_confirmed' => 'Endereço de e-mail não foi confirmado',
+ 'email_not_confirmed' => 'Endereço de E-mail Não Confirmado',
'email_not_confirmed_text' => 'Seu endereço de e-mail ainda não foi confirmado.',
- 'email_not_confirmed_click_link' => 'Por favor, clique no link no e-mail que foi enviado após o registro.',
+ 'email_not_confirmed_click_link' => 'Por favor, clique no link no e-mail que foi enviado após o cadastro.',
'email_not_confirmed_resend' => 'Caso não encontre o e-mail você poderá reenviar a confirmação usando o formulário abaixo.',
- 'email_not_confirmed_resend_button' => 'Reenviar o e-mail de confirmação',
+ 'email_not_confirmed_resend_button' => 'Reenviar o E-mail de Confirmação',
// User Invite
- 'user_invite_email_subject' => 'You have been invited to join :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_action' => 'Set Account Password',
- '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_success' => 'Password set, you now have access to :appName!'
+ 'user_invite_email_subject' => 'Você recebeu um convite para :appName!',
+ 'user_invite_email_greeting' => 'Uma conta foi criada para você em :appName.',
+ 'user_invite_email_text' => 'Clique no botão abaixo para definir uma senha de conta e obter acesso:',
+ 'user_invite_email_action' => 'Defina a Senha da Conta',
+ 'user_invite_page_welcome' => 'Bem-vindo(a) a :appName!',
+ 'user_invite_page_text' => 'Para finalizar sua conta e obter acesso, você precisa definir uma senha que será usada para efetuar login em :appName em futuras visitas.',
+ 'user_invite_page_confirm_button' => 'Confirmar Senha',
+ 'user_invite_success' => 'Senha definida, você agora tem acesso a :appName!'
];
\ No newline at end of file
'save' => 'Salvar',
'continue' => 'Continuar',
'select' => 'Selecionar',
- 'toggle_all' => 'Alternar Tudo',
+ 'toggle_all' => 'Alternar Todos',
'more' => 'Mais',
// Form Labels
'name' => 'Nome',
'description' => 'Descrição',
- 'role' => 'Regra',
+ 'role' => 'Cargo',
'cover_image' => 'Imagem de capa',
- 'cover_image_description' => 'Esta imagem deve ser aproximadamente 300x170px.',
+ 'cover_image_description' => 'Esta imagem deve ser aproximadamente 440x250px.',
// Actions
'actions' => 'Ações',
'view' => 'Visualizar',
- 'view_all' => 'Ver Tudo',
+ 'view_all' => 'Visualizar Tudo',
'create' => 'Criar',
'update' => 'Atualizar',
'edit' => 'Editar',
'delete' => 'Excluir',
'search' => 'Pesquisar',
'search_clear' => 'Limpar Pesquisa',
- 'reset' => 'Resetar',
+ 'reset' => 'Redefinir',
'remove' => 'Remover',
'add' => 'Adicionar',
+ 'fullscreen' => 'Tela cheia',
// Sort Options
- 'sort_options' => 'Sort Options',
- 'sort_direction_toggle' => 'Sort Direction Toggle',
- 'sort_ascending' => 'Sort Ascending',
- 'sort_descending' => 'Sort Descending',
+ 'sort_options' => 'Opções de Ordenação',
+ 'sort_direction_toggle' => 'Alternar Direção de Ordenação',
+ 'sort_ascending' => 'Ordenação Crescente',
+ 'sort_descending' => 'Ordenação Decrescente',
'sort_name' => 'Nome',
'sort_created_at' => 'Data de Criação',
'sort_updated_at' => 'Data de Atualização',
'grid_view' => 'Visualização em Grade',
'list_view' => 'Visualização em Lista',
'default' => 'Padrão',
- 'breadcrumb' => 'Breadcrumb',
+ 'breadcrumb' => 'Caminho',
// Header
- 'profile_menu' => 'Profile Menu',
+ 'profile_menu' => 'Menu de Perfil',
'view_profile' => 'Visualizar Perfil',
'edit_profile' => 'Editar Perfil',
// Layout tabs
- 'tab_info' => 'Info',
+ 'tab_info' => 'Informações',
'tab_content' => 'Conteúdo',
// Email Content
return [
// Image Manager
- 'image_select' => 'Selecionar imagem',
- 'image_all' => 'Todos',
+ 'image_select' => 'Selecionar Imagem',
+ 'image_all' => 'Todas',
'image_all_title' => 'Visualizar todas as imagens',
'image_book_title' => 'Visualizar imagens relacionadas a esse livro',
'image_page_title' => 'visualizar imagens relacionadas a essa página',
'image_search_hint' => 'Pesquisar imagem por nome',
- 'image_uploaded' => 'Carregado :uploadedDate',
+ 'image_uploaded' => 'Adicionada em :uploadedDate',
'image_load_more' => 'Carregar Mais',
'image_image_name' => 'Nome da Imagem',
'image_delete_used' => 'Essa imagem é usada nas páginas abaixo.',
'image_delete_confirm' => 'Clique em Excluir novamente para confirmar que você deseja mesmo eliminar a imagem.',
'image_select_image' => 'Selecionar Imagem',
'image_dropzone' => 'Arraste imagens ou clique aqui para fazer upload',
- 'images_deleted' => 'Imagens excluídas',
- 'image_preview' => 'Virtualização de Imagem',
+ 'images_deleted' => 'Imagens Excluídas',
+ 'image_preview' => 'Pré-Visualização de Imagem',
'image_upload_success' => 'Upload de imagem efetuado com sucesso',
- 'image_update_success' => 'Upload de detalhes da imagem efetuado com sucesso',
+ 'image_update_success' => 'Detalhes da imagem atualizados com sucesso',
'image_delete_success' => 'Imagem excluída com sucesso',
'image_upload_remove' => 'Remover',
return [
// Shared
- 'recently_created' => 'Recentemente Criado',
- 'recently_created_pages' => 'Páginas Recentemente Criadas',
- 'recently_updated_pages' => 'Páginas Recentemente Atualizadas',
- 'recently_created_chapters' => 'Capítulos Recentemente Criados',
- 'recently_created_books' => 'Livros Recentemente Criados',
- 'recently_created_shelves' => 'Prateleiras Recentemente Criadas',
- 'recently_update' => 'Recentemente Atualizado',
- 'recently_viewed' => 'Recentemente Visualizado',
+ 'recently_created' => 'Criados Recentemente',
+ 'recently_created_pages' => 'Páginas Criadas Recentemente',
+ 'recently_updated_pages' => 'Páginas Atualizadas Recentemente',
+ 'recently_created_chapters' => 'Capítulos Criados Recentemente',
+ 'recently_created_books' => 'Livros Criados Recentemente',
+ 'recently_created_shelves' => 'Prateleiras Criadas Recentemente',
+ 'recently_update' => 'Atualizados Recentemente',
+ 'recently_viewed' => 'Visualizados Recentemente',
'recent_activity' => 'Atividade Recente',
'create_now' => 'Criar um agora',
'revisions' => 'Revisões',
'meta_revision' => 'Revisão #:revisionCount',
- 'meta_created' => 'Criado em :timeLength',
- 'meta_created_name' => 'Criado em :timeLength por :user',
- 'meta_updated' => 'Atualizado em :timeLength',
- 'meta_updated_name' => 'Atualizado em :timeLength por :user',
+ 'meta_created' => 'Criado :timeLength',
+ 'meta_created_name' => 'Criado :timeLength por :user',
+ 'meta_updated' => 'Atualizado :timeLength',
+ 'meta_updated_name' => 'Atualizado :timeLength por :user',
'entity_select' => 'Seleção de Entidade',
'images' => 'Imagens',
- 'my_recent_drafts' => 'Meus rascunhos recentes',
- 'my_recently_viewed' => 'Meus itens recentemente visto',
+ 'my_recent_drafts' => 'Meus Rascunhos Recentes',
+ 'my_recently_viewed' => 'Visualizados por mim Recentemente',
'no_pages_viewed' => 'Você não visualizou nenhuma página',
- 'no_pages_recently_created' => 'Nenhuma página recentemente criada',
- 'no_pages_recently_updated' => 'Nenhuma página recentemente atualizada',
+ 'no_pages_recently_created' => 'Nenhuma página criada recentemente',
+ 'no_pages_recently_updated' => 'Nenhuma página atualizada recentemente',
'export' => 'Exportar',
'export_html' => 'Arquivo Web Contained',
'export_pdf' => 'Arquivo PDF',
// Permissions and restrictions
'permissions' => 'Permissões',
- 'permissions_intro' => 'Uma vez habilitado, as permissões terão prioridade sobre outro conjunto de permissões.',
+ 'permissions_intro' => 'Uma vez habilitadas, estas permissões terão prioridade sobre outro conjunto de permissões.',
'permissions_enable' => 'Habilitar Permissões Customizadas',
'permissions_save' => 'Salvar Permissões',
'search_filters' => 'Filtros de Pesquisa',
'search_content_type' => 'Tipo de Conteúdo',
'search_exact_matches' => 'Correspondências Exatas',
- 'search_tags' => 'Tags',
+ 'search_tags' => 'Persquisar Tags',
'search_options' => 'Opções',
- 'search_viewed_by_me' => 'Visto por mim',
- 'search_not_viewed_by_me' => 'Não visto por mim',
+ 'search_viewed_by_me' => 'Visualizado por mim',
+ 'search_not_viewed_by_me' => 'Não visualizado por mim',
'search_permissions_set' => 'Permissão definida',
'search_created_by_me' => 'Criado por mim',
'search_updated_by_me' => 'Atualizado por mim',
'search_updated_after' => 'Atualizado depois de',
'search_created_before' => 'Criado antes de',
'search_created_after' => 'Criado depois de',
- 'search_set_date' => 'Definir data',
+ 'search_set_date' => 'Definir Data',
'search_update' => 'Refazer Pesquisa',
// Shelves
'shelves_add_books' => 'Adicionar livros a esta prateleira',
'shelves_drag_books' => 'Arraste livros aqui para adicioná-los a esta prateleira',
'shelves_empty_contents' => 'Esta prateleira não possui livros atribuídos a ela',
- 'shelves_edit_and_assign' => 'Edit shelf to assign books',
+ 'shelves_edit_and_assign' => 'Editar prateleira para atribuir livros',
'shelves_edit_named' => 'Editar Prateleira de Livros :name',
'shelves_edit' => 'Edit Prateleira de Livros',
'shelves_delete' => 'Excluir Prateleira de Livros',
'shelves_delete_named' => 'Excluir Prateleira de Livros :name',
- 'shelves_delete_explain' => "A ação vai excluír a prateleira de livros com o nome ':name'. Livros contidos não serão excluídos",
+ 'shelves_delete_explain' => "A ação vai excluír a prateleira com o nome ':name'. Livros contidos não serão excluídos.",
'shelves_delete_confirmation' => 'Você tem certeza que quer excluir esta prateleira de livros?',
- 'shelves_permissions' => 'Permissões da Prateleira de Livros',
- 'shelves_permissions_updated' => 'Permissões da Prateleira de Livros Atualizada',
- 'shelves_permissions_active' => 'Permissões da Prateleira de Livros Ativadas',
+ 'shelves_permissions' => 'Permissões da Prateleira',
+ 'shelves_permissions_updated' => 'Permissões da Prateleira Atualizadas',
+ 'shelves_permissions_active' => 'Permissões da Prateleira Ativas',
'shelves_copy_permissions_to_books' => 'Copiar Permissões para Livros',
'shelves_copy_permissions' => 'Copiar Permissões',
- 'shelves_copy_permissions_explain' => 'Isto aplicará as configurações de permissões atuais desta prateleira de livros a todos os livros contidos nela. Antes de ativar, assegure-se de que quaisquer alterações nas permissões desta prateleira de livros tenham sido salvas.',
- 'shelves_copy_permission_success' => 'Permissões da prateleira de livros copiada para :count livros',
+ 'shelves_copy_permissions_explain' => 'Isto aplicará as configurações de permissões atuais desta prateleira a todos os livros contidos nela. Antes de ativar, assegure-se de que quaisquer alterações nas permissões desta prateleira tenham sido salvas.',
+ 'shelves_copy_permission_success' => 'Permissões da prateleira copiadas para :count livros',
// Books
'book' => 'Livro',
'books_new_action' => 'Novo Livro',
'books_popular_empty' => 'Os livros mais populares aparecerão aqui.',
'books_new_empty' => 'Os livros criados mais recentemente aparecerão aqui.',
- 'books_create' => 'Criar novo Livro',
+ 'books_create' => 'Criar Novo Livro',
'books_delete' => 'Excluir Livro',
'books_delete_named' => 'Excluir Livro :bookName',
- 'books_delete_explain' => 'A ação vai excluír o livro com o nome \':bookName\'. Todas as páginas e capítulos serão removidos.',
- 'books_delete_confirmation' => 'Você tem certeza que quer excluír o Livro?',
+ 'books_delete_explain' => 'A ação vai excluir o livro com o nome \':bookName\'. Todas as páginas e capítulos serão removidos.',
+ 'books_delete_confirmation' => 'Você tem certeza que quer excluir o Livro?',
'books_edit' => 'Editar Livro',
'books_edit_named' => 'Editar Livro :bookName',
'books_form_book_name' => 'Nome do Livro',
'books_save' => 'Salvar Livro',
'books_permissions' => 'Permissões do Livro',
'books_permissions_updated' => 'Permissões do Livro Atualizadas',
- 'books_empty_contents' => 'Nenhuma página ou capítulo criado para esse livro.',
+ 'books_empty_contents' => 'Nenhuma página ou capítulo foram criados para este livro.',
'books_empty_create_page' => 'Criar uma nova página',
'books_empty_sort_current_book' => 'Ordenar o livro atual',
'books_empty_add_chapter' => 'Adicionar um capítulo',
- 'books_permissions_active' => 'Permissões do Livro Ativadas',
- 'books_search_this' => 'Pesquisar esse livro',
+ 'books_permissions_active' => 'Permissões do Livro Ativas',
+ 'books_search_this' => 'Pesquisar neste livro',
'books_navigation' => 'Navegação do Livro',
'books_sort' => 'Ordenar Conteúdos do Livro',
'books_sort_named' => 'Ordenar Livro :bookName',
'chapters_popular' => 'Capítulos Populares',
'chapters_new' => 'Novo Capítulo',
'chapters_create' => 'Criar Novo Capítulo',
- 'chapters_delete' => 'Excluír Capítulo',
+ 'chapters_delete' => 'Excluir Capítulo',
'chapters_delete_named' => 'Excluir Capítulo :chapterName',
- 'chapters_delete_explain' => 'A ação vai excluír o capítulo de nome \':chapterName\'. Todas as páginas do capítulo serão removidas e adicionadas diretamente ao livro pai.',
- 'chapters_delete_confirm' => 'Tem certeza que deseja excluír o capítulo?',
+ 'chapters_delete_explain' => 'A ação vai excluir o capítulo de nome \':chapterName\'. Todas as páginas do capítulo serão removidas e adicionadas diretamente ao livro pai.',
+ 'chapters_delete_confirm' => 'Tem certeza que deseja excluir o capítulo?',
'chapters_edit' => 'Editar Capítulo',
'chapters_edit_named' => 'Editar Capítulo :chapterName',
'chapters_save' => 'Salvar Capítulo',
'chapter_move_success' => 'Capítulo movido para :bookName',
'chapters_permissions' => 'Permissões do Capítulo',
'chapters_empty' => 'Nenhuma página existente nesse capítulo.',
- 'chapters_permissions_active' => 'Permissões de Capítulo Ativadas',
+ 'chapters_permissions_active' => 'Permissões de Capítulo Ativas',
'chapters_permissions_success' => 'Permissões de Capítulo Atualizadas',
- 'chapters_search_this' => 'Pesquisar este Capítulo',
+ 'chapters_search_this' => 'Pesquisar neste Capítulo',
// Pages
'page' => 'Página',
'pages' => 'Páginas',
'x_pages' => ':count Página|:count Páginas',
- 'pages_popular' => 'Páginas Popular',
+ 'pages_popular' => 'Páginas Populares',
'pages_new' => 'Nova Página',
'pages_attachments' => 'Anexos',
- 'pages_navigation' => 'Página de Navegação',
- 'pages_delete' => 'Excluír Página',
- 'pages_delete_named' => 'Excluír Página :pageName',
- 'pages_delete_draft_named' => 'Excluir rascunho de Página de nome :pageName',
- 'pages_delete_draft' => 'Excluir rascunho de Página',
+ 'pages_navigation' => 'Navegação da Página',
+ 'pages_delete' => 'Excluir Página',
+ 'pages_delete_named' => 'Excluir Página :pageName',
+ 'pages_delete_draft_named' => 'Excluir Rascunho de Página de nome :pageName',
+ 'pages_delete_draft' => 'Excluir Rascunho de Página',
'pages_delete_success' => 'Página excluída',
- 'pages_delete_draft_success' => 'Página de rascunho excluída',
+ 'pages_delete_draft_success' => 'Rascunho de página excluído',
'pages_delete_confirm' => 'Tem certeza que deseja excluir a página?',
'pages_delete_draft_confirm' => 'Tem certeza que deseja excluir o rascunho de página?',
'pages_editing_named' => 'Editando a Página :pageName',
- 'pages_edit_draft_options' => 'Draft Options',
+ 'pages_edit_draft_options' => 'Opções de Rascunho',
'pages_edit_save_draft' => 'Salvar Rascunho',
- 'pages_edit_draft' => 'Editar rascunho de Página',
+ 'pages_edit_draft' => 'Editar Rascunho de Página',
'pages_editing_draft' => 'Editando Rascunho',
'pages_editing_page' => 'Editando Página',
'pages_edit_draft_save_at' => 'Rascunho salvo em ',
- 'pages_edit_delete_draft' => 'Excluir rascunho',
- 'pages_edit_discard_draft' => 'Descartar rascunho',
- 'pages_edit_set_changelog' => 'Definir Changelog',
- 'pages_edit_enter_changelog_desc' => 'Digite uma breve descrição das mudanças efetuadas por você',
- 'pages_edit_enter_changelog' => 'Entrar no Changelog',
+ 'pages_edit_delete_draft' => 'Excluir Rascunho',
+ 'pages_edit_discard_draft' => 'Descartar Rascunho',
+ 'pages_edit_set_changelog' => 'Relatar Alterações',
+ 'pages_edit_enter_changelog_desc' => 'Digite uma breve descrição das alterações efetuadas por você',
+ 'pages_edit_enter_changelog' => 'Insira Alterações',
'pages_save' => 'Salvar Página',
- 'pages_title' => 'Título de Página',
+ 'pages_title' => 'Título da Página',
'pages_name' => 'Nome da Página',
'pages_md_editor' => 'Editor',
- 'pages_md_preview' => 'Preview',
+ 'pages_md_preview' => 'Pré-Visualização',
'pages_md_insert_image' => 'Inserir Imagem',
'pages_md_insert_link' => 'Inserir Link para Entidade',
'pages_md_insert_drawing' => 'Inserir Desenho',
- 'pages_not_in_chapter' => 'Página não está dentro de um Capítulo',
+ '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',
- 'pages_permissions' => 'Permissões de Página',
- 'pages_permissions_success' => 'Permissões de Página atualizadas',
+ 'pages_permissions' => 'Permissões da Página',
+ 'pages_permissions_success' => 'Permissões da Página atualizadas',
'pages_revision' => 'Revisão',
- 'pages_revisions' => 'Revisões de Página',
+ 'pages_revisions' => 'Revisões da Página',
'pages_revisions_named' => 'Revisões de Página para :pageName',
'pages_revision_named' => 'Revisão de Página para :pageName',
- 'pages_revisions_created_by' => 'Criado por',
+ 'pages_revisions_created_by' => 'Criada por',
'pages_revisions_date' => 'Data da Revisão',
'pages_revisions_number' => '#',
'pages_revisions_numbered' => 'Revisão #:id',
'pages_revisions_numbered_changes' => 'Alterações da Revisão #:id',
- 'pages_revisions_changelog' => 'Changelog',
- 'pages_revisions_changes' => 'Mudanças',
- 'pages_revisions_current' => 'Versão atual',
- 'pages_revisions_preview' => 'Preview',
+ 'pages_revisions_changelog' => 'Relatório de Alterações',
+ 'pages_revisions_changes' => 'Alterações',
+ 'pages_revisions_current' => 'Versão Atual',
+ 'pages_revisions_preview' => 'Pré-Visualização',
'pages_revisions_restore' => 'Restaurar',
'pages_revisions_none' => 'Essa página não tem revisões',
- 'pages_copy_link' => 'Copia Link',
- 'pages_edit_content_link' => 'Editar conteúdo',
+ 'pages_copy_link' => 'Copiar Link',
+ 'pages_edit_content_link' => 'Editar Conteúdo',
'pages_permissions_active' => 'Permissões de Página Ativas',
'pages_initial_revision' => 'Publicação Inicial',
'pages_initial_name' => 'Nova Página',
'pages_editing_draft_notification' => 'Você está atualmente editando um rascunho que foi salvo da última vez em :timeDiff.',
'pages_draft_edited_notification' => 'Essa página foi atualizada desde então. É recomendado que você descarte esse rascunho.',
'pages_draft_edit_active' => [
- 'start_a' => ':count usuários que iniciaram edição dessa página',
+ 'start_a' => ':count usuários iniciaram a edição dessa página',
'start_b' => ':userName iniciou a edição dessa página',
'time_a' => 'desde que a página foi atualizada pela última vez',
'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 a página atualizada',
+ 'pages_draft_discarded' => 'Rascunho descartado. O editor foi atualizado com o conteúdo atual da página',
'pages_specific' => 'Página Específica',
- 'pages_is_template' => 'Page Template',
+ 'pages_is_template' => 'Modelo de Página',
// Editor Sidebar
'page_tags' => 'Tags de Página',
'shelf_tags' => 'Tags de Prateleira',
'tag' => 'Tag',
'tags' => 'Tags',
- 'tag_name' => 'Tag Name',
+ 'tag_name' => 'Nome da Tag',
'tag_value' => 'Valor da Tag (Opcional)',
- 'tags_explain' => "Adicione algumas tags para melhor categorizar seu conteúdo. \n Você pode atrelar um valor para uma tag para uma organização mais consistente.",
+ 'tags_explain' => "Adicione algumas tags para melhor categorizar seu conteúdo. \n Você pode atribuir valores às tags para uma organização mais complexa.",
'tags_add' => 'Adicionar outra tag',
- 'tags_remove' => 'Remove this tag',
+ 'tags_remove' => 'Remover essa tag',
'attachments' => 'Anexos',
- 'attachments_explain' => 'Faça o Upload de alguns arquivos ou anexo algum link para ser mostrado na sua página. Eles estarão visíveis na barra lateral à direita da página.',
+ 'attachments_explain' => 'Faça o upload de alguns arquivos ou anexe links para serem exibidos na sua página. Eles estarão visíveis na barra lateral à direita.',
'attachments_explain_instant_save' => 'Mudanças são salvas instantaneamente.',
'attachments_items' => 'Itens Anexados',
- 'attachments_upload' => 'Upload de arquivos',
+ 'attachments_upload' => 'Upload de Arquivos',
'attachments_link' => 'Links Anexados',
'attachments_set_link' => 'Definir Link',
'attachments_delete_confirm' => 'Clique novamente em Excluir para confirmar a exclusão desse anexo.',
'attachments_dropzone' => 'Arraste arquivos para cá ou clique para anexar arquivos',
'attachments_no_files' => 'Nenhum arquivo foi enviado',
- 'attachments_explain_link' => 'Você pode anexar um link se preferir não fazer o upload do arquivo. O link poderá ser para uma outra página ou link para um arquivo na nuvem.',
+ 'attachments_explain_link' => 'Você pode anexar um link se preferir não fazer o upload do arquivo. O link poderá ser para uma outra página ou para um arquivo na nuvem.',
'attachments_link_name' => 'Nome do Link',
'attachment_link' => 'Link para o Anexo',
'attachments_link_url' => 'Link para o Arquivo',
'attach' => 'Anexar',
'attachments_edit_file' => 'Editar Arquivo',
'attachments_edit_file_name' => 'Nome do Arquivo',
- 'attachments_edit_drop_upload' => 'Arraste arquivos para cá ou clique para anexar arquivos e sobrescreve-lo',
+ 'attachments_edit_drop_upload' => 'Arraste arquivos para cá ou clique para anexar arquivos e sobrescreve-los',
'attachments_order_updated' => 'Ordem dos anexos atualizada',
'attachments_updated_success' => 'Detalhes dos anexos atualizados',
'attachments_deleted' => 'Anexo excluído',
'attachments_file_uploaded' => 'Upload de arquivo efetuado com sucesso',
'attachments_file_updated' => 'Arquivo atualizado com sucesso',
'attachments_link_attached' => 'Link anexado com sucesso à página',
- 'templates' => 'Templates',
- 'templates_set_as_template' => 'Page is a template',
- 'templates_explain_set_as_template' => 'You can set this page as a template so its contents be utilized when creating other pages. Other users will be able to use this template if they have view permissions for this page.',
- 'templates_replace_content' => 'Replace page content',
- 'templates_append_content' => 'Append to page content',
- 'templates_prepend_content' => 'Prepend to page content',
+ 'templates' => 'Modelos',
+ 'templates_set_as_template' => 'A Página é um Modelo',
+ 'templates_explain_set_as_template' => 'Você pode definir esta página como um modelo para que seu conteúdo possa ser utilizado para criar outras páginas. Outros usuários poderão utilizar esta página como modelo se tiverem permissão para visualiza-la.',
+ 'templates_replace_content' => 'Substituir conteúdo da página',
+ 'templates_append_content' => 'Adicionar ao fim do conteúdo da página',
+ 'templates_prepend_content' => 'Adicionar ao início do conteúdo da página',
// Profile View
'profile_user_for_x' => 'Usuário por :time',
'comment_save' => 'Salvar comentário',
'comment_saving' => 'Salvando comentário...',
'comment_deleting' => 'Removendo comentário...',
- 'comment_new' => 'Novo comentário',
+ 'comment_new' => 'Novo Comentário',
'comment_created' => 'comentado :createDiff',
'comment_updated' => 'Editado :updateDiff por :username',
'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 quer deletar este comentário?',
+ 'comment_delete_confirm' => 'Você tem certeza de que deseja excluir este comentário?',
'comment_in_reply_to' => 'Em resposta à :commentId',
// Revision
return [
// Permissions
- 'permission' => 'Você não tem permissões para acessar a página requerida.',
+ 'permission' => 'Você não tem permissão para acessar a página requerida.',
'permissionJson' => 'Você não tem permissão para realizar a ação requerida.',
// Auth
'error_user_exists_different_creds' => 'Um usuário com o e-mail :email já existe mas com credenciais diferentes.',
'email_already_confirmed' => 'E-mail já foi confirmado. Tente efetuar o login.',
- 'email_confirmation_invalid' => 'Esse token de confirmação não é válido ou já foi utilizado. Por favor, tente efetuar o registro novamente.',
+ 'email_confirmation_invalid' => 'Esse token de confirmação não é válido ou já foi utilizado. Por favor, tente cadastrar-se novamente.',
'email_confirmation_expired' => 'O token de confirmação já expirou. Um novo e-mail foi enviado.',
+ 'email_confirmation_awaiting' => 'O endereço de e-mail da conta em uso precisa ser confirmado',
'ldap_fail_anonymous' => 'O acesso LDAP falhou ao tentar usar o anonymous bind',
'ldap_fail_authed' => 'O acesso LDAP falhou ao tentar os detalhes do dn e senha fornecidos',
- 'ldap_extension_not_installed' => 'As extensões LDAP PHP não estão instaladas',
+ 'ldap_extension_not_installed' => 'A extensão LDAP PHP não está instalada',
'ldap_cannot_connect' => 'Não foi possível conectar ao servidor LDAP. Conexão inicial falhou',
+ 'saml_already_logged_in' => 'Login já efetuado',
+ 'saml_user_not_registered' => 'O usuário :name não está cadastrado e o cadastro automático está desativado',
+ 'saml_no_email_address' => 'Não foi possível encontrar um endereço de e-mail para este usuário nos dados providos pelo sistema de autenticação externa',
+ 'saml_invalid_response_id' => 'A requisição do sistema de autenticação externa não foi reconhecia por um processo iniciado por esta aplicação. Após o login, navegar para o caminho anterior pode causar um problema.',
+ 'saml_fail_authed' => 'Login utilizando :system falhou. Sistema não forneceu autorização bem sucedida',
'social_no_action_defined' => 'Nenhuma ação definida',
'social_login_bad_response' => "Erro recebido durante o login :socialAccount: \n:error",
- 'social_account_in_use' => 'Essa conta :socialAccount já está em uso. Por favor, tente se logar usando a opção :socialAccount',
- 'social_account_email_in_use' => 'O e-mail :email já está e muso. Se você já tem uma conta você poderá se conectar a conta :socialAccount a partir das configurações de seu perfil.',
- 'social_account_existing' => 'Essa conta :socialAccount já está atrelada a esse perfil.',
- 'social_account_already_used_existing' => 'Essa conta :socialAccount já está sendo usada por outro usuário.',
- 'social_account_not_used' => 'Essa conta :socialAccount não está atrelada a nenhum usuário. Por favor, faça o link da conta com suas configurações de perfil. ',
- 'social_account_register_instructions' => 'Se você não tem uma conta, você poderá fazer o registro usando a opção :socialAccount',
+ 'social_account_in_use' => 'Essa conta :socialAccount já está em uso. Por favor, tente entrar utilizando a opção :socialAccount.',
+ 'social_account_email_in_use' => 'O e-mail :email já está em uso. Se você já tem uma conta você poderá se conectar a conta :socialAccount a partir das configurações de seu perfil.',
+ 'social_account_existing' => 'Essa conta :socialAccount já está vinculada a esse perfil.',
+ 'social_account_already_used_existing' => 'Essa conta :socialAccount já está sendo utilizada por outro usuário.',
+ 'social_account_not_used' => 'Essa conta :socialAccount não está vinculada a nenhum usuário. Por favor vincule a conta nas suas configurações de perfil. ',
+ 'social_account_register_instructions' => 'Se você não tem uma conta, você poderá se cadastrar usando a opção :socialAccount.',
'social_driver_not_found' => 'Social driver não encontrado',
'social_driver_not_configured' => 'Seus parâmetros socials de :socialAccount não estão configurados corretamente.',
- 'invite_token_expired' => 'This invitation link has expired. You can instead try to reset your account password.',
+ 'invite_token_expired' => 'Esse link de convite expirou. Alternativamente, você pode tentar redefinir a senha da sua conta.',
// System
'path_not_writable' => 'O caminho de destino (:filePath) de upload de arquivo não possui permissão de escrita. Certifique-se que ele possui direitos de escrita no servidor.',
- 'cannot_get_image_from_url' => 'Não foi possivel capturar a imagem a partir de :url',
+ 'cannot_get_image_from_url' => 'Não foi possível obter a imagem a partir de :url',
'cannot_create_thumbs' => 'O servidor não pôde criar as miniaturas de imagem. Por favor, verifique se a extensão GD PHP está instalada.',
'server_upload_limit' => 'O servidor não permite o upload de arquivos com esse tamanho. Por favor, tente fazer o upload de arquivos de menor tamanho.',
'uploaded' => 'O servidor não permite o upload de arquivos com esse tamanho. Por favor, tente fazer o upload de arquivos de menor tamanho.',
'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 feito upload é inválido',
+ 'image_upload_type_error' => 'O tipo de imagem que está sendo enviada é inválido',
'file_upload_timeout' => 'O upload do arquivo expirou.',
// Attachments
'attachment_not_found' => 'Anexo não encontrado',
// Pages
- 'page_draft_autosave_fail' => 'Falhou ao tentar salvar o rascunho. Certifique-se que a conexão de internet está funcional antes de tentar salvar essa página',
- 'page_custom_home_deletion' => 'Não pode deletar uma página que está definida como página inicial',
+ '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_custom_home_deletion' => 'Não é possível excluir uma página que está definida como página inicial',
// Entities
'entity_not_found' => 'Entidade não encontrada',
'page_not_found' => 'Página não encontrada',
'chapter_not_found' => 'Capítulo não encontrado',
'selected_book_not_found' => 'O livro selecionado não foi encontrado',
- 'selected_book_chapter_not_found' => 'O Livro selecionado ou Capítulo não foi encontrado',
+ 'selected_book_chapter_not_found' => 'O Livro ou Capítulo selecionado não foi encontrado',
'guests_cannot_save_drafts' => 'Convidados não podem salvar rascunhos',
// Users
- 'users_cannot_delete_only_admin' => 'Você não pode excluir o conteúdo, apenas o admin.',
+ 'users_cannot_delete_only_admin' => 'Você não pode excluir o único admin',
'users_cannot_delete_guest' => 'Você não pode excluir o usuário convidado',
// Roles
- 'role_cannot_be_edited' => 'Esse perfil não pode ser editado',
- 'role_system_cannot_be_deleted' => 'Esse perfil é um perfil de sistema e não pode ser excluído',
- 'role_registration_default_cannot_delete' => 'Esse perfil não poderá se excluído enquando estiver registrado como o perfil padrão',
- 'role_cannot_remove_only_admin' => 'Este usuário é o único usuário atribuído ao perfil de administrador. Atribua o perfil de administrador a outro usuário antes de tentar removê-lo aqui.',
+ 'role_cannot_be_edited' => 'Esse cargo não pode ser editado',
+ 'role_system_cannot_be_deleted' => 'Esse cargo é um cargo do sistema e não pode ser excluído',
+ 'role_registration_default_cannot_delete' => 'Esse cargo não poderá se excluído enquanto estiver registrado como o cargo padrão',
+ 'role_cannot_remove_only_admin' => 'Este usuário é o único usuário vinculado ao cargo de administrador. Atribua o cargo de administrador a outro usuário antes de tentar removê-lo aqui.',
// Comments
'comment_list' => 'Ocorreu um erro ao buscar os comentários.',
'empty_comment' => 'Não é possível adicionar um comentário vazio.',
// Error pages
- '404_page_not_found' => 'Página não encontrada',
+ '404_page_not_found' => 'Página Não Encontrada',
'sorry_page_not_found' => 'Desculpe, a página que você está procurando não pôde ser encontrada.',
- 'return_home' => 'Retornar à página principal',
- 'error_occurred' => 'Um erro ocorreu',
+ 'return_home' => 'Retornar à página inicial',
+ 'error_occurred' => 'Ocorreu um Erro',
'app_down' => ':appName está fora do ar no momento',
- 'back_soon' => 'Voltaremos em seguida.',
+ 'back_soon' => 'Voltaremos em breve.',
+
+ // API errors
+ 'api_no_authorization_found' => 'Nenhum token de autorização encontrado na requisição',
+ 'api_bad_authorization_format' => 'Um token de autorização foi encontrado na requisição, mas o formato parece incorreto',
+ 'api_user_token_not_found' => 'Nenhum token de API correspondente foi encontrado para o token de autorização fornecido',
+ 'api_incorrect_token_secret' => 'O segredo fornecido para o token de API usado está incorreto',
+ 'api_user_no_api_permission' => 'O proprietário do token de API utilizado não tem permissão para fazer requisições de API',
+ 'api_user_token_expired' => 'O token de autenticação expirou',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
];
*/
return [
- 'password' => 'Senhas devem ter ao menos 6 caraceres e combinar com os atributos mínimos para a senha.',
+ 'password' => 'Senhas devem ter ao menos oito caracteres e ser iguais à confirmação.',
'user' => "Não pudemos encontrar um usuário com o e-mail fornecido.",
- 'token' => 'O token de reset de senha é inválido.',
- 'sent' => 'Enviamos para seu e-mail o link de reset de senha!',
- 'reset' => 'Sua senha foi resetada com sucesso!',
+ 'token' => 'O token de redefinição de senha é inválido.',
+ 'sent' => 'Enviamos o link de redefinição de senha para o seu e-mail!',
+ 'reset' => 'Sua senha foi redefinida com sucesso!',
];
// Common Messages
'settings' => 'Configurações',
'settings_save' => 'Salvar Configurações',
- 'settings_save_success' => 'Configurações Salvas',
+ 'settings_save_success' => 'Configurações salvas',
// App Settings
'app_customization' => 'Customização',
'app_features_security' => 'Recursos & Segurança',
'app_name' => 'Nome da Aplicação',
'app_name_desc' => 'Esse nome será mostrado no cabeçalho e em e-mails.',
- 'app_name_header' => 'Mostrar o nome da Aplicação no cabeçalho?',
+ 'app_name_header' => 'Mostrar o nome no cabeçalho',
'app_public_access' => 'Acesso Público',
'app_public_access_desc' => 'Habilitar esta opção irá permitir que visitantes, que não estão logados, acessem o conteúdo em sua instância do BookStack.',
'app_public_access_desc_guest' => 'O acesso de visitantes públicos pode ser controlado através do usuário "Convidado".',
'app_public_access_toggle' => 'Permitir acesso público',
'app_public_viewing' => 'Permitir visualização pública?',
- 'app_secure_images' => 'Permitir upload de imagens com maior segurança?',
- 'app_secure_images_toggle' => 'Habilitar uploads de imagem de maior segurança',
- 'app_secure_images_desc' => 'Por questões de performance, todas as imagens são públicas. Essa opção adiciona uma string randômica na frente da imagem. Certifique-se de que os índices do diretórios permitem o acesso fácil.',
+ 'app_secure_images' => 'Upload de Imagens mais Seguro',
+ 'app_secure_images_toggle' => 'Habilitar uploads de imagem mais seguro',
+ 'app_secure_images_desc' => 'Por razões de performance, todas as imagens são públicas. Esta opção adiciona uma string randômica na frente das URLs de imagens. Certifique-se de que os diretórios não possam ser indexados para prevenir acesso indesejado.',
'app_editor' => 'Editor de Página',
- 'app_editor_desc' => 'Selecione qual editor a ser usado pelos usuários para editar páginas.',
- 'app_custom_html' => 'Conteúdo para tag HTML HEAD customizado',
- 'app_custom_html_desc' => 'Quaisquer conteúdos aqui inseridos serão inseridos no final da seção <head> do HTML de cada página. Essa é uma maneira útil de sobrescrever estilos e adicionar códigos de análise de site.',
- 'app_custom_html_disabled_notice' => 'O conteúdo personalizado do head do HTML está desabilitado nesta página de configurações para garantir que quaisquer alterações significativas possam ser revertidas.',
+ 'app_editor_desc' => 'Selecione qual editor será utilizado pelos usuários ao editar páginas.',
+ 'app_custom_html' => 'Conteúdo customizado para <head> HTML',
+ 'app_custom_html_desc' => 'Quaisquer conteúdos aqui adicionados serão inseridos no final da seção <head> de cada página. Essa é uma maneira útil de sobrescrever estilos e adicionar códigos de análise de site.',
+ 'app_custom_html_disabled_notice' => 'O conteúdo customizado do <head> HTML está desabilitado nesta página de configurações, para garantir que quaisquer alterações danosas possam ser revertidas.',
'app_logo' => 'Logo da Aplicação',
- 'app_logo_desc' => 'A imagem deve ter 43px de altura. <br>Imagens mais largas devem ser reduzidas.',
- 'app_primary_color' => 'Cor primária da Aplicação',
- 'app_primary_color_desc' => 'Esse valor deverá ser Hexadecimal. <br>Deixe em branco para que o Bookstack assuma a cor padrão.',
- 'app_homepage' => 'Página incial',
- 'app_homepage_desc' => 'Selecione a página para ser usada como página inicial em vez da padrão. Permissões da página serão ignoradas.',
+ 'app_logo_desc' => 'A imagem deve ter 43px de altura. <br>Imagens maiores serão reduzidas.',
+ 'app_primary_color' => 'Cor Primária da Aplicação',
+ 'app_primary_color_desc' => 'Define a cor primária para a aplicação, incluindo o banner, botões e links.',
+ 'app_homepage' => 'Página Inicial',
+ 'app_homepage_desc' => 'Selecione uma opção para ser exibida como página inicial em vez da padrão. Permissões de página serão ignoradas para as páginas selecionadas.',
'app_homepage_select' => 'Selecione uma página',
'app_disable_comments' => 'Desativar Comentários',
'app_disable_comments_toggle' => 'Desativar comentários',
- 'app_disable_comments_desc' => 'Desativar comentários em todas as páginas no aplicativo. Os comentários existentes não são exibidos.',
+ 'app_disable_comments_desc' => 'Desativar comentários em todas as páginas no aplicativo.<br> Comentários existentes não serão exibidos.',
+
+ // Color settings
+ 'content_colors' => 'Cores do Conteúdo',
+ 'content_colors_desc' => 'Define as cores para todos os elementos da hierarquia de organização de páginas. Escolher cores com brilho similar ao das cores padrão é aconselhável para a legibilidade.',
+ 'bookshelf_color' => 'Cor da Prateleira',
+ 'book_color' => 'Cor do Livro',
+ 'chapter_color' => 'Cor do Capítulo',
+ 'page_color' => 'Cor da Página',
+ 'page_draft_color' => 'Cor do Rascunho',
// Registration Settings
- 'reg_settings' => 'Registro',
- 'reg_enable' => 'Habilitar Registro',
- 'reg_enable_toggle' => 'Habilitar registro',
- 'reg_enable_desc' => 'Quando o registro é habilitado, o usuário poderá se registrar como usuário do aplicativo. No registro, eles recebem um único perfil padrão.',
- 'reg_default_role' => 'Perfil padrão para usuários após o registro',
+ 'reg_settings' => 'Cadastro',
+ 'reg_enable' => 'Habilitar Cadastro',
+ 'reg_enable_toggle' => 'Habilitar cadastro',
+ 'reg_enable_desc' => 'Quando o cadastro é habilitado, visitantes poderão cadastrar-se como usuários do aplicativo. Realizado o cadastro, recebem um único cargo padrão.',
+ 'reg_default_role' => 'Cargo padrão para usuários após o cadastro',
+ 'reg_enable_external_warning' => 'A opção acima é ignorada enquanto a autenticação externa LDAP ou SAML estiver ativa. Contas de usuários para membros não existentes serão criadas automaticamente se a autenticação pelo sistema externo em uso for bem sucedida.',
'reg_email_confirmation' => 'Confirmação de E-mail',
- 'reg_email_confirmation_toggle' => 'Requer confirmação de e-mail',
- 'reg_confirm_email_desc' => 'Se restrições de domínio são usadas a confirmação por e-mail será requerida e o valor abaixo será ignorado.',
- 'reg_confirm_restrict_domain' => 'Restringir registro ao domínio',
- 'reg_confirm_restrict_domain_desc' => 'Entre com uma lista de domínios de e-mails separados por vírgula para os quais você deseja restringir os registros. Será enviado um e-mail de confirmação para o usuário validar o e-mail antes de ser permitido interação com a aplicação. <br> Note que os usuários serão capazes de alterar o e-mail cadastrado após o sucesso na confirmação do registro.',
- 'reg_confirm_restrict_domain_placeholder' => 'Nenhuma restrição configurada',
+ 'reg_email_confirmation_toggle' => 'Requerer confirmação de e-mail',
+ 'reg_confirm_email_desc' => 'Em caso da restrição de domínios estar em uso, a confirmação de e-mail será requerida e essa opção será ignorada.',
+ 'reg_confirm_restrict_domain' => 'Restrição de Domínios',
+ 'reg_confirm_restrict_domain_desc' => 'Entre com uma lista separada por vírgulas de domínios de e-mails aos quais você deseja restringir o cadastro. Um e-mail de confirmação será enviado para o usuário validar seu endereço de e-mail antes de ser permitido a interagir com a aplicação. <br> Note que os usuários serão capazes de alterar o seus endereços de e-mail após o sucesso na confirmação do cadastro.',
+ 'reg_confirm_restrict_domain_placeholder' => 'Nenhuma restrição definida',
// Maintenance settings
'maint' => 'Manutenção',
'maint_image_cleanup' => 'Limpeza de Imagens',
- 'maint_image_cleanup_desc' => "Examina páginas & revisa o conteúdo para verificar quais imagens e desenhos estão atualmente em uso e quais imagens são redundantes. Certifique-se de criar um backup completo do banco de dados e imagens antes de executar isso.",
+ 'maint_image_cleanup_desc' => "Examina páginas e revisa seus conteúdos para verificar quais imagens e desenhos estão atualmente em uso e quais são redundantes. Certifique-se de criar um backup completo do banco de dados e imagens antes de executar esta ação.",
'maint_image_cleanup_ignore_revisions' => 'Ignorar imagens em revisões',
'maint_image_cleanup_run' => 'Executar Limpeza',
'maint_image_cleanup_warning' => ':count imagens potencialmente não utilizadas foram encontradas. Tem certeza de que deseja excluir estas imagens?',
'maint_image_cleanup_success' => ':count imagens potencialmente não utilizadas foram encontradas e excluídas!',
'maint_image_cleanup_nothing_found' => 'Nenhuma imagem não utilizada foi encontrada, nada foi excluído!',
+ 'maint_send_test_email' => 'Enviar um E-mail de Teste',
+ 'maint_send_test_email_desc' => 'Esta opção envia um e-mail de teste para o endereço especificado no seu perfil.',
+ 'maint_send_test_email_run' => 'Enviar e-mail de teste',
+ 'maint_send_test_email_success' => 'E-mail enviado para :address',
+ 'maint_send_test_email_mail_subject' => 'E-mail de Teste',
+ 'maint_send_test_email_mail_greeting' => 'O envio de e-mails parece funcionar!',
+ 'maint_send_test_email_mail_text' => 'Parabéns! Já que você recebeu esta notificação, suas opções de e-mail parecem estar configuradas corretamente.',
// Role Settings
- 'roles' => 'Perfis',
- 'role_user_roles' => 'Perfis de Usuário',
- 'role_create' => 'Criar novo Perfil',
- 'role_create_success' => 'Perfil criado com sucesso',
- 'role_delete' => 'Excluir Perfil',
- 'role_delete_confirm' => 'A ação vai excluír o Perfil de nome \':roleName\'.',
- 'role_delete_users_assigned' => 'Esse Perfil tem :userCount usuários assinalados a ele. Se quiser migrar usuários desse Perfil para outro, selecione um novo Perfil.',
+ 'roles' => 'Cargos',
+ 'role_user_roles' => 'Cargos de Usuário',
+ 'role_create' => 'Criar novo Cargo',
+ 'role_create_success' => 'Cargo criado com sucesso',
+ 'role_delete' => 'Excluir Cargo',
+ 'role_delete_confirm' => 'A ação vai excluír o cargo de nome \':roleName\'.',
+ 'role_delete_users_assigned' => 'Esse cargo tem :userCount usuários vinculados a ele. Se quiser migrar usuários desse cargo para outro, selecione um novo cargo.',
'role_delete_no_migration' => "Não migre os usuários",
- 'role_delete_sure' => 'Tem certeza que deseja excluir esse Perfil?',
- 'role_delete_success' => 'Perfil excluído com sucesso',
- 'role_edit' => 'Editar Perfil',
- 'role_details' => 'Detalhes do Perfil',
- 'role_name' => 'Nome do Perfil',
- 'role_desc' => 'Descrição Curta do Perfil',
+ 'role_delete_sure' => 'Tem certeza que deseja excluir esse cargo?',
+ 'role_delete_success' => 'Cargo excluído com sucesso',
+ 'role_edit' => 'Editar Cargo',
+ 'role_details' => 'Detalhes do Cargo',
+ 'role_name' => 'Nome do Cargo',
+ 'role_desc' => 'Breve Descrição do Cargo',
'role_external_auth_id' => 'IDs de Autenticação Externa',
'role_system' => 'Permissões do Sistema',
- 'role_manage_users' => 'Gerenciar Usuários',
- 'role_manage_roles' => 'Gerenciar Perfis & Permissões de Perfis',
+ 'role_manage_users' => 'Gerenciar usuários',
+ 'role_manage_roles' => 'Gerenciar cargos e permissões de cargos',
'role_manage_entity_permissions' => 'Gerenciar todos os livros, capítulos e permissões de páginas',
'role_manage_own_entity_permissions' => 'Gerenciar permissões de seu próprio livro, capítulo e paginas',
- 'role_manage_page_templates' => 'Manage page templates',
- 'role_manage_settings' => 'Gerenciar configurações de app',
+ 'role_manage_page_templates' => 'Gerenciar modelos de página',
+ 'role_access_api' => 'Acessar API do sistema',
+ 'role_manage_settings' => 'Gerenciar configurações da aplicação',
'role_asset' => 'Permissões de Ativos',
'role_asset_desc' => 'Essas permissões controlam o acesso padrão para os ativos dentro do sistema. Permissões em Livros, Capítulos e Páginas serão sobrescritas por essas permissões.',
- 'role_asset_admins' => 'Administradores recebem automaticamente acesso a todo o conteúdo, mas essas opções podem mostrar ou ocultar as opções da UI.',
+ 'role_asset_admins' => 'Administradores recebem automaticamente acesso a todo o conteúdo, mas essas opções podem mostrar ou ocultar as opções da Interface de Usuário.',
'role_all' => 'Todos',
'role_own' => 'Próprio',
- 'role_controlled_by_asset' => 'Controlado pelos ativos que você fez upload',
- 'role_save' => 'Salvar Perfil',
- 'role_update_success' => 'Perfil atualizado com sucesso',
- 'role_users' => 'Usuários neste Perfil',
- 'role_users_none' => 'Nenhum usuário está atualmente atrelado a esse Perfil',
+ 'role_controlled_by_asset' => 'Controlado pelos ativos nos quais o upload foi realizado',
+ 'role_save' => 'Salvar Cargo',
+ 'role_update_success' => 'Cargo atualizado com sucesso',
+ 'role_users' => 'Usuários com este cargo',
+ 'role_users_none' => 'Nenhum usuário está atualmente vinculado a este cargo',
// Users
'users' => 'Usuários',
'users_details' => 'Detalhes do Usuário',
'users_details_desc' => 'Defina um nome de exibição e um endereço de e-mail para este usuário. O endereço de e-mail será usado para fazer login na aplicação.',
'users_details_desc_no_email' => 'Defina um nome de exibição para este usuário para que outros usuários possam reconhecê-lo',
- 'users_role' => 'Perfis do Usuário',
- 'users_role_desc' => 'Selecione os perfis para os quais este usuário será atribuído. Se um usuário for atribuído a multiplos perfis, as permissões destes perfis serão empilhadas e eles receberão todas as habilidades dos perfis atribuídos.',
+ 'users_role' => 'Cargos do Usuário',
+ 'users_role_desc' => 'Selecione os cargos aos quais este usuário será vinculado. Se um usuário for vinculado a múltiplos cargos, suas permissões serão empilhadas e ele receberá todas as habilidades dos cargos atribuídos.',
'users_password' => 'Senha do Usuário',
- 'users_password_desc' => 'Defina uma senha usada para fazer login na aplicação. Esta deve ter pelo menos 5 caracteres.',
- 'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
- 'users_send_invite_option' => 'Send user invite email',
+ 'users_password_desc' => 'Defina uma senha usada para fazer login na aplicação. Esta deve ter pelo menos 6 caracteres.',
+ 'users_send_invite_text' => 'Você pode escolher enviar a este usuário um convite por e-mail que o possibilitará definir sua própria senha, ou defina você uma senha.',
+ 'users_send_invite_option' => 'Enviar convite por e-mail',
'users_external_auth_id' => 'ID de Autenticação Externa',
- 'users_external_auth_id_desc' => 'Este é o ID usado para corresponder a este usuário ao se comunicar com seu sistema LDAP.',
- 'users_password_warning' => 'Preencha os dados abaixo caso queira modificar a sua senha:',
- 'users_system_public' => 'Esse usuário representa quaisquer convidados que visitam o aplicativo. Ele não pode ser usado para login.',
+ 'users_external_auth_id_desc' => 'Este ID é usado para relacionar o usuário quando comunicando com algum sistema de autenticação externo.',
+ 'users_password_warning' => 'Apenas preencha os dados abaixo caso queira modificar a sua senha.',
+ 'users_system_public' => 'Esse usuário representa quaisquer convidados que visitam o aplicativo. Ele não pode ser usado para login mas é automaticamente atribuído.',
'users_delete' => 'Excluir Usuário',
'users_delete_named' => 'Excluir :userName',
'users_delete_warning' => 'A ação vai excluir completamente o usuário de nome \':userName\' do sistema.',
'users_delete_confirm' => 'Tem certeza que deseja excluir esse usuário?',
'users_delete_success' => 'Usuários excluídos com sucesso',
- 'users_edit' => 'Editar usuário',
+ 'users_edit' => 'Editar Usuário',
'users_edit_profile' => 'Editar Perfil',
'users_edit_success' => 'Usuário atualizado com sucesso',
'users_avatar' => 'Imagem de Usuário',
- 'users_avatar_desc' => 'Essa imagem deve ser um quadrado com aproximadamente 256px de altura e largura.',
+ 'users_avatar_desc' => 'Defina uma imagem para representar este usuário. Essa imagem deve ser um quadrado com aproximadamente 256px de altura e largura.',
'users_preferred_language' => 'Linguagem de Preferência',
- 'users_preferred_language_desc' => 'Esta opção irá alterar o idioma usado para a interface de usuário da aplicação. Isto não afetará nenhum conteúdo criado pelo usuário.',
+ 'users_preferred_language_desc' => 'Esta opção irá alterar o idioma utilizado para a interface de usuário da aplicação. Isto não afetará nenhum conteúdo criado por usuários.',
'users_social_accounts' => 'Contas Sociais',
'users_social_accounts_info' => 'Aqui você pode conectar outras contas para acesso mais rápido. Desconectar uma conta não retira a possibilidade de acesso usando-a. Para revogar o acesso ao perfil através da conta social, você deverá fazê-lo na sua conta social.',
- 'users_social_connect' => 'Contas conectadas',
+ 'users_social_connect' => 'Contas Conectadas',
'users_social_disconnect' => 'Desconectar Conta',
'users_social_connected' => 'Conta :socialAccount foi conectada com sucesso ao seu perfil.',
'users_social_disconnected' => 'Conta :socialAccount foi desconectada com sucesso de seu perfil.',
+ 'users_api_tokens' => 'Tokens de API',
+ 'users_api_tokens_none' => 'Nenhum token de API foi criado para este usuário',
+ 'users_api_tokens_create' => 'Criar Token',
+ 'users_api_tokens_expires' => 'Expira',
+ 'users_api_tokens_docs' => 'Documentação da API',
+
+ // API Tokens
+ 'user_api_token_create' => 'Criar Token de API',
+ 'user_api_token_name' => 'Nome',
+ 'user_api_token_name_desc' => 'Dê ao seu token um nome legível como um futuro lembrete de seu propósito.',
+ '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.',
+ 'user_api_token_secret' => 'Segredo do Token',
+ 'user_api_token_secret_desc' => 'Este é um segredo de sistema gerado para este token que precisará ser fornecido em requisições de API. Isto só será mostrado nesta única vez, portanto, copie este valor para um lugar seguro.',
+ 'user_api_token_created' => 'Token Criado :timeAgo',
+ 'user_api_token_updated' => 'Token Atualizado :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
return [
// Standard laravel validation lines
- 'accepted' => 'O :attribute deve ser aceito.',
- 'active_url' => 'O :attribute não é uma URL válida.',
- 'after' => 'O :attribute deve ser uma data posterior à data :date.',
- 'alpha' => 'O :attribute deve conter apenas letras.',
- 'alpha_dash' => 'O :attribute deve conter apenas letras, números e traços.',
- 'alpha_num' => 'O :attribute deve conter apenas letras e números.',
- 'array' => 'O :attribute deve ser uma array.',
- 'before' => 'O :attribute deve ser uma data anterior à data :date.',
+ 'accepted' => 'O campo :attribute deve ser aceito.',
+ 'active_url' => 'O campo :attribute não é uma URL válida.',
+ 'after' => 'O campo :attribute deve ser uma data posterior à data :date.',
+ 'alpha' => 'O campo :attribute deve conter apenas letras.',
+ 'alpha_dash' => 'O campo :attribute deve conter apenas letras, números, traços e underlines.',
+ 'alpha_num' => 'O campo :attribute deve conter apenas letras e números.',
+ 'array' => 'O campo :attribute deve ser uma array.',
+ 'before' => 'O campo :attribute deve ser uma data anterior à data :date.',
'between' => [
- 'numeric' => 'O :attribute deve ter tamanho entre :min e :max.',
- 'file' => 'O :attribute deve ter entre :min e :max kilobytes.',
- 'string' => 'O :attribute deve ter entre :min e :max caracteres.',
- 'array' => 'O :attribute deve ter entre :min e :max itens.',
+ 'numeric' => 'O campo :attribute deve estar entre :min e :max.',
+ 'file' => 'O campo :attribute deve ter entre :min e :max kilobytes.',
+ 'string' => 'O campo :attribute deve ter entre :min e :max caracteres.',
+ 'array' => 'O campo :attribute deve ter entre :min e :max itens.',
],
'boolean' => 'O campo :attribute deve ser verdadeiro ou falso.',
- 'confirmed' => 'O campo :attribute de confirmação não é igual.',
+ 'confirmed' => 'O campo :attribute não é igual à sua confirmação.',
'date' => 'O campo :attribute não está em um formato de data válido.',
'date_format' => 'O campo :attribute não tem a formatação :format.',
'different' => 'O campo :attribute e o campo :other devem ser diferentes.',
'digits' => 'O campo :attribute deve ter :digits dígitos.',
'digits_between' => 'O campo :attribute deve ter entre :min e :max dígitos.',
'email' => 'O campo :attribute deve ser um e-mail válido.',
- 'ends_with' => 'The :attribute must end with one of the following: :values',
+ 'ends_with' => 'O campo :attribute deve terminar com um dos seguintes: :values',
'filled' => 'O campo :attribute é requerido.',
'gt' => [
- 'numeric' => 'The :attribute must be greater than :value.',
- 'file' => 'The :attribute must be greater than :value kilobytes.',
- 'string' => 'The :attribute must be greater than :value characters.',
- 'array' => 'The :attribute must have more than :value items.',
+ 'numeric' => 'O campo :attribute deve ser maior que :value.',
+ 'file' => 'O campo :attribute deve ser maior que :value kilobytes.',
+ 'string' => 'O campo :attribute deve ser maior que :value caracteres.',
+ 'array' => 'O campo :attribute deve ter mais que :value itens.',
],
'gte' => [
- 'numeric' => 'The :attribute must be greater than or equal :value.',
- 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
- 'string' => 'The :attribute must be greater than or equal :value characters.',
- 'array' => 'The :attribute must have :value items or more.',
+ 'numeric' => 'O campo :attribute deve ser maior ou igual a :value.',
+ 'file' => 'O campo :attribute deve ser maior ou igual a :value kilobytes.',
+ 'string' => 'O campo :attribute deve ser maior ou igual a :value caracteres.',
+ 'array' => 'O campo :attribute deve ter :value itens ou mais.',
],
- 'exists' => 'O atributo :attribute selecionado não é válido.',
+ 'exists' => 'O campo :attribute selecionado não é válido.',
'image' => 'O campo :attribute deve ser uma imagem.',
- 'image_extension' => 'O campo :attribute deve ter uma extensão de imagem válida & suportada.',
- 'in' => 'The selected :attribute is invalid.',
+ 'image_extension' => 'O campo :attribute deve ter uma extensão de imagem válida e suportada.',
+ 'in' => 'O campo :attribute selecionado não é válido.',
'integer' => 'O campo :attribute deve ser um número inteiro.',
- 'ip' => 'O campo :attribute deve ser um IP válido.',
- 'ipv4' => 'The :attribute must be a valid IPv4 address.',
- 'ipv6' => 'The :attribute must be a valid IPv6 address.',
- 'json' => 'The :attribute must be a valid JSON string.',
+ 'ip' => 'O campo :attribute deve ser um endereço IP válido.',
+ 'ipv4' => 'O campo :attribute deve ser um endereço IPv4 válido.',
+ 'ipv6' => 'O campo :attribute deve ser um endereço IPv6 válido.',
+ 'json' => 'O campo :attribute deve ser uma string JSON válida.',
'lt' => [
- 'numeric' => 'The :attribute must be less than :value.',
- 'file' => 'The :attribute must be less than :value kilobytes.',
- 'string' => 'The :attribute must be less than :value characters.',
- 'array' => 'The :attribute must have less than :value items.',
+ 'numeric' => 'O campo :attribute deve ser menor que :value.',
+ 'file' => 'O campo :attribute deve ser menor que :value kilobytes.',
+ 'string' => 'O campo :attribute deve ser menor que :value caracteres.',
+ 'array' => 'O campo :attribute deve conter menos que :value itens.',
],
'lte' => [
- 'numeric' => 'The :attribute must be less than or equal :value.',
- 'file' => 'The :attribute must be less than or equal :value kilobytes.',
- 'string' => 'The :attribute must be less than or equal :value characters.',
- 'array' => 'The :attribute must not have more than :value items.',
+ 'numeric' => 'O campo :attribute deve ser menor ou igual a :value.',
+ 'file' => 'O campo :attribute deve ser menor ou igual a :value kilobytes.',
+ 'string' => 'O campo :attribute deve ser menor ou igual a :value caracteres.',
+ 'array' => 'O campo :attribute não deve conter mais que :value itens.',
],
'max' => [
'numeric' => 'O valor para o campo :attribute não deve ser maior que :max.',
'string' => 'O valor para o campo :attribute não deve ter mais que :max caracteres.',
'array' => 'O valor para o campo :attribute não deve ter mais que :max itens.',
],
- 'mimes' => 'O :attribute deve ser do tipo type: :values.',
+ 'mimes' => 'O campo :attribute deve ser do tipo type: :values.',
'min' => [
- 'numeric' => 'O valor para o campo :attribute não deve ser menor que :min.',
- 'file' => 'O valor para o campo :attribute não deve ter tamanho menor que :min kilobytes.',
- 'string' => 'O valor para o campo :attribute não deve ter menos que :min caracteres.',
- 'array' => 'O valor para o campo :attribute não deve ter menos que :min itens.',
+ 'numeric' => 'O campo :attribute não deve ser menor que :min.',
+ 'file' => 'O campo :attribute não deve ter tamanho menor que :min kilobytes.',
+ 'string' => 'O campo :attribute não deve ter menos que :min caracteres.',
+ 'array' => 'O campo :attribute não deve ter menos que :min itens.',
],
'no_double_extension' => 'O campo :attribute deve ter apenas uma extensão de arquivo.',
'not_in' => 'O campo selecionado :attribute é inválido.',
- 'not_regex' => 'The :attribute format is invalid.',
+ 'not_regex' => 'O formato do campo :attribute é inválido.',
'numeric' => 'O campo :attribute deve ser um número.',
'regex' => 'O formato do campo :attribute é inválido.',
'required' => 'O campo :attribute é requerido.',
// Chapters
'chapter_create' => 'создал главу',
- 'chapter_create_notification' => 'глава успешно создана',
+ 'chapter_create_notification' => 'Ð\93лава успешно создана',
'chapter_update' => 'обновил главу',
'chapter_update_notification' => 'Глава успешно обновлена',
'chapter_delete' => 'удалил главу',
'book_sort_notification' => 'Книга успешно отсортирована',
// Bookshelves
- 'bookshelf_create' => 'created Bookshelf',
- 'bookshelf_create_notification' => 'Bookshelf Successfully Created',
- 'bookshelf_update' => 'updated bookshelf',
- 'bookshelf_update_notification' => 'Bookshelf Successfully Updated',
- 'bookshelf_delete' => 'deleted bookshelf',
- 'bookshelf_delete_notification' => 'Bookshelf Successfully Deleted',
+ 'bookshelf_create' => 'создал полку',
+ 'bookshelf_create_notification' => 'Полка успешно создана',
+ 'bookshelf_update' => 'обновил полку',
+ 'bookshelf_update_notification' => 'Полка успешно обновлена',
+ 'bookshelf_delete' => 'удалил полку',
+ 'bookshelf_delete_notification' => 'Полка успешно удалена',
// Other
'commented_on' => 'прокомментировал',
return [
'failed' => 'Учетная запись не найдена.',
- 'throttle' => 'СлиÑ\88ком много попÑ\8bÑ\82ок вÑ\85ода. Ð\9fожалÑ\83йÑ\81Ñ\82а, попÑ\80обÑ\83йÑ\82е позже через :seconds секунд.',
+ 'throttle' => 'СлиÑ\88ком много попÑ\8bÑ\82ок вÑ\85ода. Ð\9fожалÑ\83йÑ\81Ñ\82а, повÑ\82оÑ\80иÑ\82е попÑ\8bÑ\82кÑ\83 через :seconds секунд.',
// Login & Register
'sign_up' => 'Регистрация',
'name' => 'Имя',
'username' => 'Логин',
- 'email' => 'Email',
+ 'email' => 'Адрес электронной почты',
'password' => 'Пароль',
'password_confirm' => 'Подтверждение пароля',
- 'password_hint' => 'Ð\94олжен бÑ\8bÑ\82Ñ\8c болÑ\8cÑ\88е 7 символов',
+ 'password_hint' => 'Ð\9cинимÑ\83м 8 символов',
'forgot_password' => 'Забыли пароль?',
'remember_me' => 'Запомнить меня',
- 'ldap_email_hint' => 'Введите email адрес для данной учетной записи.',
+ 'ldap_email_hint' => 'Введите адрес электронной почты для этой учетной записи.',
'create_account' => 'Создать аккаунт',
'already_have_account' => 'Уже есть аккаунт?',
'dont_have_account' => 'У вас нет аккаунта?',
'reset_password' => 'Сброс пароля',
'reset_password_send_instructions' => 'Введите свой email ниже, и вам будет отправлено письмо со ссылкой для сброса пароля.',
'reset_password_send_button' => 'Отправить ссылку для сброса',
- 'reset_password_sent_success' => 'Ссылка для сброса была отправлена на :email.',
+ 'reset_password_sent_success' => 'СÑ\81Ñ\8bлка длÑ\8f Ñ\81бÑ\80оÑ\81а паÑ\80олÑ\8f бÑ\8bла оÑ\82пÑ\80авлена на :email.',
'reset_password_success' => 'Ваш пароль был успешно сброшен.',
'email_reset_subject' => 'Сбросить ваш :appName пароль',
'email_reset_text' => 'Вы получили это письмо, потому что запросили сброс пароля для вашей учетной записи.',
// Email Confirmation
'email_confirm_subject' => 'Подтвердите ваш почтовый адрес на :appName',
'email_confirm_greeting' => 'Благодарим за участие :appName!',
- 'email_confirm_text' => 'Пожалуйста, подтвердите ваш email адрес кликнув на кнопку ниже:',
- 'email_confirm_action' => 'Подтвердить email',
+ 'email_confirm_text' => 'Пожалуйста, подтвердите свой адрес электронной почты нажав на кнопку ниже:',
+ 'email_confirm_action' => 'Подтвердить адрес электронной почты',
'email_confirm_send_error' => 'Требуется подтверждение электронной почты, но система не может отправить письмо. Свяжитесь с администратором, чтобы убедиться, что адрес электронной почты настроен правильно.',
- 'email_confirm_success' => 'Ваш email был подтвержден!',
+ 'email_confirm_success' => 'Ваш адрес подтвержден!',
'email_confirm_resent' => 'Письмо с подтверждение выслано снова. Пожалуйста, проверьте ваш почтовый ящик.',
- 'email_not_confirmed' => 'email не подтвержден',
+ 'email_not_confirmed' => 'Адрес электронной почты не подтвержден',
'email_not_confirmed_text' => 'Ваш email адрес все еще не подтвержден.',
'email_not_confirmed_click_link' => 'Пожалуйста, нажмите на ссылку в письме, которое было отправлено при регистрации.',
- 'email_not_confirmed_resend' => 'Ð\95Ñ\81ли вÑ\8b не можеÑ\82е найÑ\82и Ñ\8dлекÑ\82Ñ\80онное пиÑ\81Ñ\8cмо, вÑ\8b можеÑ\82е Ñ\81нова оÑ\82пÑ\80авиÑ\82Ñ\8c пиÑ\81Ñ\8cмо с подтверждением по форме ниже.',
+ 'email_not_confirmed_resend' => 'Ð\95Ñ\81ли вÑ\8b не можеÑ\82е найÑ\82и Ñ\8dлекÑ\82Ñ\80онное пиÑ\81Ñ\8cмо, вÑ\8b можеÑ\82е Ñ\81нова оÑ\82пÑ\80авиÑ\82Ñ\8c его с подтверждением по форме ниже.',
'email_not_confirmed_resend_button' => 'Переотправить письмо с подтверждением',
// User Invite
'user_invite_email_subject' => 'Вас приглашают присоединиться к :appName!',
'user_invite_email_greeting' => 'Для вас создан аккаунт в :appName.',
'user_invite_email_text' => 'Нажмите кнопку ниже, чтобы задать пароль и получить доступ:',
- 'user_invite_email_action' => 'УÑ\81Ñ\82ановиÑ\82Ñ\8c паÑ\80олÑ\8c аккаÑ\83нÑ\82Ñ\83.',
+ 'user_invite_email_action' => 'УÑ\81Ñ\82ановиÑ\82Ñ\8c паÑ\80олÑ\8c длÑ\8f аккаÑ\83нÑ\82а',
'user_invite_page_welcome' => 'Добро пожаловать в :appName!',
'user_invite_page_text' => 'Завершите настройку аккаунта, установите пароль для дальнейшего входа в :appName.',
'user_invite_page_confirm_button' => 'Подтвердите пароль',
'user_invite_success' => 'Пароль установлен, теперь у вас есть доступ к :appName!'
-];
\ No newline at end of file
+];
'reset' => 'Сбросить',
'remove' => 'Удалить',
'add' => 'Добавить',
+ 'fullscreen' => 'На весь экран',
// Sort Options
'sort_options' => 'Параметры сортировки',
- 'sort_direction_toggle' => 'Переключить направления сортировки',
+ 'sort_direction_toggle' => 'Переключить направление сортировки',
'sort_ascending' => 'По возрастанию',
'sort_descending' => 'По убыванию',
'sort_name' => 'По имени',
// Header
'profile_menu' => 'Меню профиля',
- 'view_profile' => 'Просмотреть профиль',
+ 'view_profile' => 'Посмотреть профиль',
'edit_profile' => 'Редактировать профиль',
// Layout tabs
// Email Content
'email_action_help' => 'Если у вас возникли проблемы с нажатием кнопки \':actionText\', то скопируйте и вставьте указанный URL-адрес в свой веб-браузер:',
- 'email_rights' => 'Ð\92Ñ\81е пÑ\80ава заÑ\80езеÑ\80виÑ\80ованы',
+ 'email_rights' => 'Ð\92Ñ\81е пÑ\80ава заÑ\89иÑ\89ены',
];
// Image Manager
'image_select' => 'Выбрать изображение',
'image_all' => 'Все',
- 'image_all_title' => 'Простмотр всех изображений',
+ 'image_all_title' => 'Просмотр всех изображений',
'image_book_title' => 'Просмотр всех изображений, загруженных в эту книгу',
'image_page_title' => 'Просмотр всех изображений, загруженных на эту страницу',
- 'image_search_hint' => 'Ð\9fоиÑ\81к по имени изображения',
- 'image_uploaded' => 'Ð\97агÑ\80Ñ\83женно :uploadedDate',
+ 'image_search_hint' => 'Ð\9fоиÑ\81к по названиÑ\8e изображения',
+ 'image_uploaded' => 'Загружено :uploadedDate',
'image_load_more' => 'Загрузить еще',
- 'image_image_name' => 'Ð\98мÑ\8f изображения',
+ 'image_image_name' => 'Ð\9dазвание изображения',
'image_delete_used' => 'Это изображение используется на странице ниже.',
'image_delete_confirm' => 'Нажмите \'Удалить\' еще раз для подтверждения удаления.',
'image_select_image' => 'Выбрать изображение',
'image_dropzone' => 'Перетащите изображение или кликните для загрузки',
'images_deleted' => 'Изображения удалены',
- 'image_preview' => 'Предосмотр изображения',
- 'image_upload_success' => 'Изображение загружено успешно',
+ 'image_preview' => 'Ð\9fÑ\80едпÑ\80оÑ\81моÑ\82Ñ\80 изобÑ\80ажениÑ\8f',
+ 'image_upload_success' => 'Изображение успешно загружено',
'image_update_success' => 'Детали изображения успешно обновлены',
'image_delete_success' => 'Изображение успешно удалено',
'image_upload_remove' => 'Удалить изображение',
'recently_viewed' => 'Недавно просмотренные',
'recent_activity' => 'Недавние действия',
'create_now' => 'Создать сейчас',
- 'revisions' => 'Версия',
+ 'revisions' => 'Версии',
'meta_revision' => 'Версия #:revisionCount',
'meta_created' => 'Создано :timeLength',
'meta_created_name' => ':user создал :timeLength',
// Permissions and restrictions
'permissions' => 'Разрешения',
- 'permissions_intro' => 'После включения эти разрешения будут иметь приоритет над любыми установленными полномочиями.',
+ 'permissions_intro' => 'После включения опции эти разрешения будут иметь приоритет над любыми установленными разрешениями роли.',
'permissions_enable' => 'Включение пользовательских разрешений',
'permissions_save' => 'Сохранить разрешения',
'shelves_copy_permissions_to_books' => 'Наследовать доступы книгам',
'shelves_copy_permissions' => 'Копировать доступы',
'shelves_copy_permissions_explain' => 'Это применит текущие настройки доступов этой книжной полки ко всем книгам, содержащимся внутри. Перед активацией убедитесь, что все изменения в доступах этой книжной полки сохранены.',
- 'shelves_copy_permission_success' => 'Доступы книжной полки скопированы для :count books',
+ 'shelves_copy_permission_success' => 'Доступы книжной полки скопированы для :count книг',
// Books
'book' => 'Книга',
'books_navigation' => 'Навигация по книге',
'books_sort' => 'Сортировка содержимого книги',
'books_sort_named' => 'Сортировка книги :bookName',
- 'books_sort_name' => 'СоÑ\80Ñ\82иÑ\80оваÑ\82Ñ\8c по имени',
- 'books_sort_created' => 'СоÑ\80Ñ\82иÑ\80оваÑ\82Ñ\8c по дате создания',
- 'books_sort_updated' => 'СоÑ\80Ñ\82иÑ\80оваÑ\82Ñ\8c по дате обновления',
- 'books_sort_chapters_first' => 'СнаÑ\87ала главÑ\8b',
- 'books_sort_chapters_last' => 'Ð\93лавÑ\8b поÑ\81ледние',
+ 'books_sort_name' => 'Ð\9fо имени',
+ 'books_sort_created' => 'Ð\9fо дате создания',
+ 'books_sort_updated' => 'Ð\9fо дате обновления',
+ 'books_sort_chapters_first' => 'Ð\93лавÑ\8b в наÑ\87але',
+ 'books_sort_chapters_last' => 'Ð\93лавÑ\8b в конÑ\86е',
'books_sort_show_other' => 'Показать другие книги',
'books_sort_save' => 'Сохранить новый порядок',
'chapters_delete_explain' => 'Это удалит главу с именем \':chapterName\'. Все страницы главы будут удалены и перемещены напрямую в книгу.',
'chapters_delete_confirm' => 'Вы действительно хотите удалить эту главу?',
'chapters_edit' => 'Редактировать главу',
- 'chapters_edit_named' => 'редактировать главу :chapterName',
+ 'chapters_edit_named' => 'Редактировать главу :chapterName',
'chapters_save' => 'Сохранить главу',
'chapters_move' => 'Переместить главу',
'chapters_move_named' => 'Переместить главу :chapterName',
'pages_new' => 'Новая страница',
'pages_attachments' => 'Вложения',
'pages_navigation' => 'Навигация на странице',
- 'pages_delete' => 'УдалиÑ\82Ñ\8c Ñ\83Ñ\81Ñ\82Ñ\80аниÑ\86Ñ\83',
+ 'pages_delete' => 'Удалить страницу',
'pages_delete_named' => 'Удалить страницу :pageName',
'pages_delete_draft_named' => 'Удалить черновик :pageName',
'pages_delete_draft' => 'Удалить черновик',
'pages_delete_confirm' => 'Вы действительно хотите удалить эту страницу?',
'pages_delete_draft_confirm' => 'Вы действительно хотите удалить этот черновик?',
'pages_editing_named' => 'Редактирование страницы :pageName',
- 'pages_edit_draft_options' => 'Draft Options',
+ 'pages_edit_draft_options' => 'Параметры черновика',
'pages_edit_save_draft' => 'Сохранить черновик',
'pages_edit_draft' => 'Редактировать черновик',
'pages_editing_draft' => 'Редактирование черновика',
'pages_editing_page' => 'Редактирование страницы',
- 'pages_edit_draft_save_at' => 'Черновик сохранить в ',
+ 'pages_edit_draft_save_at' => 'Черновик сохранён в ',
'pages_edit_delete_draft' => 'Удалить черновик',
- 'pages_edit_discard_draft' => 'отменить черновик',
+ 'pages_edit_discard_draft' => 'Ð\9eтменить черновик',
'pages_edit_set_changelog' => 'Задать список изменений',
- 'pages_edit_enter_changelog_desc' => 'Ð\92ведиÑ\82е кÑ\80аÑ\82кое опиÑ\81ание изменений, коÑ\82оÑ\80Ñ\8bе вÑ\8b Ñ\81делали',
+ 'pages_edit_enter_changelog_desc' => 'Ð\92ведиÑ\82е кÑ\80аÑ\82кое опиÑ\81ание внеÑ\81еннÑ\8bÑ\85 изменений',
'pages_edit_enter_changelog' => 'Введите список изменений',
'pages_save' => 'Сохранить страницу',
'pages_title' => 'Заголовок страницы',
'pages_permissions' => 'Разрешения страницы',
'pages_permissions_success' => 'Pазрешения страницы обновлены',
'pages_revision' => 'Версия',
- 'pages_revisions' => 'Версия страницы',
+ 'pages_revisions' => 'Версии страницы',
'pages_revisions_named' => 'Версии страницы для :pageName',
'pages_revision_named' => 'Версия страницы для :pageName',
'pages_revisions_created_by' => 'Создана',
'pages_revisions_date' => 'Дата версии',
'pages_revisions_number' => '#',
- 'pages_revisions_numbered' => 'Ревизия #:id',
- 'pages_revisions_numbered_changes' => 'РевизиÑ\8f #:id изменениÑ\8f',
+ 'pages_revisions_numbered' => 'Ð\92еÑ\80Ñ\81ия #:id',
+ 'pages_revisions_numbered_changes' => 'Ð\98зменениÑ\8f в веÑ\80Ñ\81ии #:id',
'pages_revisions_changelog' => 'Список изменений',
'pages_revisions_changes' => 'Изменения',
'pages_revisions_current' => 'Текущая версия',
'pages_permissions_active' => 'Действующие разрешения на страницу',
'pages_initial_revision' => 'Первоначальное издание',
'pages_initial_name' => 'Новая страница',
- 'pages_editing_draft_notification' => 'Вы в настоящее время редактируете черновик, который был сохранен :timeDiff.',
+ 'pages_editing_draft_notification' => 'В настоящее время вы редактируете черновик, который был сохранён :timeDiff.',
'pages_draft_edited_notification' => 'Эта страница была обновлена до этого момента. Рекомендуется отменить этот черновик',
'pages_draft_edit_active' => [
'start_a' => ':count пользователей начали редактирование этой страницы',
'tags_explain' => "Добавьте теги, чтобы лучше классифицировать ваш контент. \\n Вы можете присвоить значение тегу для более глубокой организации.",
'tags_add' => 'Добавить тег',
'tags_remove' => 'Удалить этот тэг',
- 'attachments' => 'Вложение',
+ 'attachments' => 'Вложения',
'attachments_explain' => 'Загрузите несколько файлов или добавьте ссылку для отображения на своей странице. Они видны на боковой панели страницы.',
'attachments_explain_instant_save' => 'Изменения здесь сохраняются мгновенно.',
'attachments_items' => 'Прикрепленные элементы',
'attach' => 'Прикрепить',
'attachments_edit_file' => 'Редактировать файл',
'attachments_edit_file_name' => 'Имя файла',
- 'attachments_edit_drop_upload' => 'перетащите файлы или нажмите здесь, чтобы загрузить и перезаписать',
- 'attachments_order_updated' => 'Прикрепленный файл обновлен',
- 'attachments_updated_success' => 'Детали файла обновлены',
- 'attachments_deleted' => 'Ð\9fÑ\80иложение удалено',
+ 'attachments_edit_drop_upload' => 'Ð\9fеретащите файлы или нажмите здесь, чтобы загрузить и перезаписать',
+ 'attachments_order_updated' => 'Порядок вложений обновлен',
+ 'attachments_updated_success' => 'Детали вложения обновлены',
+ 'attachments_deleted' => 'Ð\92ложение удалено',
'attachments_file_uploaded' => 'Файл успешно загружен',
'attachments_file_updated' => 'Файл успешно обновлен',
'attachments_link_attached' => 'Ссылка успешно присоединена к странице',
'templates' => 'Шаблоны',
- 'templates_set_as_template' => 'СÑ\82Ñ\80аниÑ\86а Ñ\8dÑ\82о Ñ\88аблон',
+ 'templates_set_as_template' => 'СÑ\82Ñ\80аниÑ\86а Ñ\8fвлÑ\8fеÑ\82Ñ\81Ñ\8f Ñ\88аблоном',
'templates_explain_set_as_template' => 'Вы можете назначить эту страницу в качестве шаблона, её содержимое будет использоваться при создании других страниц. Пользователи смогут использовать этот шаблон в случае, если имеют разрешения на просмотр этой страницы.',
'templates_replace_content' => 'Заменить содержимое страницы',
'templates_append_content' => 'Добавить к содержанию страницы',
'templates_prepend_content' => 'Добавить в начало содержимого страницы',
// Profile View
- 'profile_user_for_x' => 'пользователь уже :time',
+ 'profile_user_for_x' => 'Ð\9fользователь уже :time',
'profile_created_content' => 'Созданный контент',
- 'profile_not_created_pages' => ':userName не Ñ\81оздавал Ñ\81Ñ\82Ñ\80аниÑ\86',
- 'profile_not_created_chapters' => ':userName не Ñ\81оздавал глав',
- 'profile_not_created_books' => ':userName не Ñ\81оздавал ни одной книги',
+ 'profile_not_created_pages' => ':userName не Ñ\81оздал ни одной Ñ\81Ñ\82Ñ\80аниÑ\86Ñ\8b',
+ 'profile_not_created_chapters' => ':userName не Ñ\81оздал ни одной главÑ\8b',
+ 'profile_not_created_books' => ':userName не создал ни одной книги',
'profile_not_created_shelves' => ':userName не создал ни одной полки',
// Comments
'comment_placeholder' => 'Оставить комментарий здесь',
'comment_count' => '{0} Нет комментариев|{1} 1 комментарий|[2,*] :count комментария',
'comment_save' => 'Сохранить комментарий',
- 'comment_saving' => 'СоÑ\85Ñ\80аниение комменÑ\82аÑ\80иÑ\8f...',
+ 'comment_saving' => 'Сохранение комментария...',
'comment_deleting' => 'Удаление комментария...',
'comment_new' => 'Новый комментарий',
'comment_created' => 'прокомментировал :createDiff',
'revision_restore_confirm' => 'Восстановить эту ревизию? Текущее содержимое будет заменено.',
'revision_delete_success' => 'Ревизия удалена',
'revision_cannot_delete_latest' => 'Нельзя удалить последнюю версию.'
-];
\ No newline at end of file
+];
'permissionJson' => 'У вас нет разрешения для запрашиваемого действия.',
// Auth
- 'error_user_exists_different_creds' => 'Пользователь с электронной почтой: :email уже существует, но с другими учетными данными.',
- 'email_already_confirmed' => 'ÐлекÑ\82Ñ\80оннаÑ\8f поÑ\87Ñ\82а Ñ\83же подÑ\82веÑ\80ждена, попробуйте войти в систему.',
+ 'error_user_exists_different_creds' => 'Пользователь с электронной почтой :email уже существует, но с другими учетными данными.',
+ 'email_already_confirmed' => 'Ð\90дÑ\80еÑ\81 Ñ\8dлекÑ\82Ñ\80онной поÑ\87Ñ\82Ñ\8b Ñ\83же бÑ\8bл подÑ\82веÑ\80жден, попробуйте войти в систему.',
'email_confirmation_invalid' => 'Этот токен подтверждения недействителен или уже используется. Повторите попытку регистрации.',
'email_confirmation_expired' => 'Истек срок действия токена. Отправлено новое письмо с подтверждением.',
+ 'email_confirmation_awaiting' => 'Для используемой учетной записи необходимо подтвердить email',
'ldap_fail_anonymous' => 'Недопустимый доступ LDAP с использованием анонимной привязки',
'ldap_fail_authed' => 'Не удалось получить доступ к LDAP, используя данные dn & password',
- 'ldap_extension_not_installed' => 'LDAP расширения для PHP не установлено',
- 'ldap_cannot_connect' => 'Не удается подключиться к серверу ldap, не удалось выполнить начальное соединение',
+ 'ldap_extension_not_installed' => 'LDAP расширение для PHP не установлено',
+ 'ldap_cannot_connect' => 'Не удается подключиться к серверу LDAP, не удалось выполнить начальное соединение',
+ 'saml_already_logged_in' => 'Уже вошли в систему',
+ 'saml_user_not_registered' => 'Пользователь :name не зарегистрирован. Автоматическая регистрация отключена',
+ 'saml_no_email_address' => 'Не удалось найти email для этого пользователя в данных, предоставленных внешней системой аутентификации',
+ 'saml_invalid_response_id' => 'Запрос от внешней системы аутентификации не распознается процессом, запущенным этим приложением. Переход назад после входа в систему может вызвать эту проблему.',
+ 'saml_fail_authed' => 'Вход с помощью :system не удался, система не предоставила успешную авторизацию',
'social_no_action_defined' => 'Действие не определено',
'social_login_bad_response' => "При попытке входа с :socialAccount произошла ошибка: \\n:error",
- 'social_account_in_use' => 'ÐÑ\82оÑ\82 :socialAccount аккаÑ\83нÑ\82 Ñ\83же иÑ\81опльзуется, попробуйте войти с параметрами :socialAccount.',
+ 'social_account_in_use' => 'ÐÑ\82оÑ\82 :socialAccount аккаÑ\83нÑ\82 Ñ\83же иÑ\81пользуется, попробуйте войти с параметрами :socialAccount.',
'social_account_email_in_use' => 'Электронный ящик :email уже используется. Если у вас уже есть учетная запись, вы можете подключить свою учетную запись :socialAccount из настроек своего профиля.',
'social_account_existing' => 'Этот :socialAccount уже привязан к вашему профилю.',
'social_account_already_used_existing' => 'Этот :socialAccount уже используется другим пользователем.',
'invite_token_expired' => 'Срок действия приглашения истек. Вместо этого вы можете попытаться сбросить пароль своей учетной записи.',
// System
- 'path_not_writable' => 'Невозможно загрузить файл по пути :filePath . Убедитесь что сервер доступен для записи.',
+ 'path_not_writable' => 'Невозможно загрузить файл по пути :filePath. Убедитесь что сервер доступен для записи.',
'cannot_get_image_from_url' => 'Не удается получить изображение из :url',
'cannot_create_thumbs' => 'Сервер не может создавать эскизы. Убедитесь, что у вас установлено расширение GD PHP.',
- 'server_upload_limit' => 'Сервер не разрешает загрузку такого размера. Попробуйте уменьшить размер файла.',
+ 'server_upload_limit' => 'СеÑ\80веÑ\80 не Ñ\80азÑ\80еÑ\88аеÑ\82 загÑ\80Ñ\83зкÑ\83 Ñ\84айлов Ñ\82акого Ñ\80азмеÑ\80а. Ð\9fопÑ\80обÑ\83йÑ\82е Ñ\83менÑ\8cÑ\88иÑ\82Ñ\8c Ñ\80азмеÑ\80 Ñ\84айла.',
'uploaded' => 'Сервер не позволяет загружать файлы такого размера. Пожалуйста, попробуйте файл меньше.',
- 'image_upload_error' => 'Произошла ошибка при загрузке изображения.',
+ 'image_upload_error' => 'Произошла ошибка при загрузке изображения',
'image_upload_type_error' => 'Неправильный тип загружаемого изображения',
- 'file_upload_timeout' => 'Ð\92Ñ\8bгÑ\80Ñ\83зка Ñ\84айла законÑ\87илаÑ\81Ñ\8c.',
+ 'file_upload_timeout' => 'Ð\92Ñ\80емÑ\8f загÑ\80Ñ\83зки Ñ\84айла иÑ\81Ñ\82екло.',
// Attachments
'attachment_page_mismatch' => 'Несоответствие страницы во время обновления вложения',
// Pages
'page_draft_autosave_fail' => 'Не удалось сохранить черновик. Перед сохранением этой страницы убедитесь, что у вас есть подключение к Интернету.',
- 'page_custom_home_deletion' => 'Ð\9dелÑ\8cзÑ\8f Ñ\83далиÑ\82Ñ\8c Ñ\81Ñ\82Ñ\80аниÑ\86Ñ\83, Ñ\83Ñ\81Ñ\82ановленнÑ\83Ñ\8e вмеÑ\81Ñ\82о главной Ñ\81Ñ\82Ñ\80аниÑ\86Ñ\8b',
+ 'page_custom_home_deletion' => 'Ð\9dевозможно Ñ\83далиÑ\82Ñ\8c Ñ\81Ñ\82Ñ\80аниÑ\86Ñ\83, пока она Ñ\83Ñ\81Ñ\82ановлена как домаÑ\88нÑ\8fÑ\8f Ñ\81Ñ\82Ñ\80аниÑ\86а',
// Entities
'entity_not_found' => 'Объект не найден',
'chapter_not_found' => 'Глава не найдена',
'selected_book_not_found' => 'Выбранная книга не найдена',
'selected_book_chapter_not_found' => 'Выбранная книга или глава не найдена',
- 'guests_cannot_save_drafts' => 'Гости не могут сохранить черновики',
+ 'guests_cannot_save_drafts' => 'Гости не могут сохранять черновики',
// Users
'users_cannot_delete_only_admin' => 'Вы не можете удалить единственного администратора',
'users_cannot_delete_guest' => 'Вы не можете удалить гостевого пользователя',
// Roles
- 'role_cannot_be_edited' => 'Ð\9dевозможно оÑ\82Ñ\80едакÑ\82иÑ\80оваÑ\82Ñ\8c даннÑ\83Ñ\8e Ñ\80олÑ\8c',
+ 'role_cannot_be_edited' => 'ÐÑ\82а Ñ\80олÑ\8c не можеÑ\82 бÑ\8bÑ\82Ñ\8c изменена',
'role_system_cannot_be_deleted' => 'Эта роль является системной и не может быть удалена',
- 'role_registration_default_cannot_delete' => 'Эта роль не может быть удалена, так как она устанолена в качестве роли по умолчанию',
+ 'role_registration_default_cannot_delete' => 'ÐÑ\82а Ñ\80олÑ\8c не можеÑ\82 бÑ\8bÑ\82Ñ\8c Ñ\83далена, Ñ\82ак как она Ñ\83Ñ\81Ñ\82ановлена в каÑ\87еÑ\81Ñ\82ве Ñ\80оли по Ñ\83молÑ\87аниÑ\8e',
'role_cannot_remove_only_admin' => 'Этот пользователь единственный с правами администратора. Назначьте роль администратора другому пользователю, прежде чем удалить этого.',
// Comments
- 'comment_list' => 'Ð\9fÑ\80и полÑ\83Ñ\87ении комменÑ\82аÑ\80иев пÑ\80оизоÑ\88ла оÑ\88ибка.',
+ 'comment_list' => 'Ð\9fÑ\80оизоÑ\88ла оÑ\88ибка пÑ\80и полÑ\83Ñ\87ении комменÑ\82аÑ\80иев.',
'cannot_add_comment_to_draft' => 'Вы не можете добавлять комментарии к черновику.',
- 'comment_add' => 'Ð\9fÑ\80и добавлении / обновлении комменÑ\82аÑ\80иÑ\8f пÑ\80оизоÑ\88ла оÑ\88ибка.',
- 'comment_delete' => 'Ð\9fÑ\80и Ñ\83далении комменÑ\82аÑ\80иÑ\8f пÑ\80оизоÑ\88ла оÑ\88ибка.',
+ 'comment_add' => 'Ð\9fÑ\80оизоÑ\88ла оÑ\88ибка пÑ\80и добавлении / обновлении комменÑ\82аÑ\80иÑ\8f.',
+ 'comment_delete' => 'Ð\9fÑ\80оизоÑ\88ла оÑ\88ибка пÑ\80и Ñ\83далении комменÑ\82аÑ\80иÑ\8f.',
'empty_comment' => 'Нельзя добавить пустой комментарий.',
// Error pages
'sorry_page_not_found' => 'Извините, страница, которую вы искали, не найдена.',
'return_home' => 'вернуться на главную страницу',
'error_occurred' => 'Произошла ошибка',
- 'app_down' => ':appName в данный момент не достпуно',
+ 'app_down' => ':appName в данный момент не доступно',
'back_soon' => 'Скоро восстановится.',
+ // API errors
+ 'api_no_authorization_found' => 'Отсутствует токен авторизации в запросе',
+ 'api_bad_authorization_format' => 'Токен авторизации найден, но формат запроса неверен',
+ 'api_user_token_not_found' => 'Отсутствует соответствующий API токен для предоставленного токена авторизации',
+ 'api_incorrect_token_secret' => 'Секрет, предоставленный для данного использованного API токена неверен',
+ 'api_user_no_api_permission' => 'Владелец используемого API токена не имеет прав на выполнение вызовов API',
+ 'api_user_token_expired' => 'Срок действия используемого токена авторизации истек',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Ошибка при отправке тестового письма:',
+
];
*/
return [
- 'password' => 'Пароль должен содержать не менее шести символов и совпадать с подтверждением.',
- 'user' => "Ð\9fолÑ\8cзоваÑ\82елÑ\8c Ñ\81 Ñ\83казанÑ\8bм email оÑ\82Ñ\81Ñ\83Ñ\82ствует.",
+ 'password' => 'Пароль должен содержать не менее восьми символов и совпадать с подтверждением.',
+ 'user' => "Ð\9fолÑ\8cзоваÑ\82елÑ\8f Ñ\81 даннÑ\8bм адÑ\80еÑ\81ом Ñ\8dлекÑ\82Ñ\80онной поÑ\87Ñ\82Ñ\8b не Ñ\81Ñ\83Ñ\89ествует.",
'token' => 'Токен сброса пароля недействителен.',
- 'sent' => 'Ссылка для сброса пароля отправлена на email!',
+ 'sent' => 'Ссылка для сброса пароля отправлена на вашу почту!',
'reset' => 'Ваш пароль был сброшен!',
];
'app_customization' => 'Настройки',
'app_features_security' => 'Функционал & Безопасность',
'app_name' => 'Имя приложения',
- 'app_name_desc' => 'Ð\98мÑ\8f оÑ\82обÑ\80ажаеÑ\82Ñ\81Ñ\8f в заголовке email отправленных системой.',
+ 'app_name_desc' => 'Ð\98мÑ\8f оÑ\82обÑ\80ажаеÑ\82Ñ\81Ñ\8f в заголовкаÑ\85 и Ñ\81ообÑ\89ениÑ\8fÑ\85 Ñ\8dлекÑ\82Ñ\80онной поÑ\87Ñ\82Ñ\8b отправленных системой.',
'app_name_header' => 'Отображать имя приложения в заголовке',
'app_public_access' => 'Публичный доступ',
'app_public_access_desc' => 'Включение этой опции позволит неавторизованным посетителям получить доступ к содержимому вашего BookStack.',
'app_secure_images' => 'Загрузка изображений с высоким уровнем безопасности.',
'app_secure_images_toggle' => 'Включить загрузку изображений с высоким уровнем безопасности',
'app_secure_images_desc' => 'Для высокой производительности все изображения являются общедоступными. Этот параметр добавляет случайную строку перед URL изображения. Убедитесь, что индексация каталогов отключена, для предотвращения легкого доступа.',
- 'app_editor' => 'Редактор страницы',
+ 'app_editor' => 'Редактор страниц',
'app_editor_desc' => 'Выберите, какой редактор будет использоваться всеми пользователями для редактирования страниц.',
'app_custom_html' => 'Пользовательский контент заголовка HTML',
'app_custom_html_desc' => 'Любой контент, добавленный здесь, будет вставлен в нижнюю часть раздела <head> каждой страницы. Это удобно для переопределения стилей или добавления кода аналитики.',
'app_custom_html_disabled_notice' => 'Пользовательский контент заголовка HTML отключен на этой странице, чтобы гарантировать отмену любых критических изменений',
- 'app_logo' => 'Лого приложения',
+ 'app_logo' => 'Логотип приложения',
'app_logo_desc' => 'Это изображение должно быть 43px в высоту. <br>Большое изображение будет уменьшено.',
'app_primary_color' => 'Основной цвет приложения',
'app_primary_color_desc' => 'Значение должно быть указано в hex-формате. <br>Оставьте пустым чтобы использовать цвет по умолчанию.',
'app_homepage' => 'Стартовая страница приложения',
'app_homepage_desc' => 'Выберите страницу, которая будет отображаться на главной странице вместо стандартной. Права на страницы игнорируются для выбранных страниц.',
'app_homepage_select' => 'Выберите страницу',
- 'app_disable_comments' => 'Ð\9eÑ\82клÑ\8eÑ\87ение комменÑ\82ов',
+ 'app_disable_comments' => 'Ð\9eÑ\82клÑ\8eÑ\87ение комменÑ\82аÑ\80иев',
'app_disable_comments_toggle' => 'Отключить комментарии',
- 'app_disable_comments_desc' => 'Отключение комментов на всех страницах. Существующие комментарии отображаться не будут.',
+ 'app_disable_comments_desc' => 'Отключение комментариев на всех страницах. Существующие комментарии будут скрыты.',
+
+ // Color settings
+ 'content_colors' => 'Цвета элементов иерархии',
+ 'content_colors_desc' => 'Задает цвета для всех элементов организационной иерархии страницы. Для удобства чтения рекомендуется выбирать цвета, яркость которых близка к цветам по умолчанию.',
+ 'bookshelf_color' => 'Цвет полки',
+ 'book_color' => 'Цвет книги',
+ 'chapter_color' => 'Цвет главы',
+ 'page_color' => 'Цвет страницы',
+ 'page_draft_color' => 'Цвет черновика страницы',
// Registration Settings
'reg_settings' => 'Настройки регистрации',
'reg_enable' => 'Разрешить регистрацию',
'reg_enable_toggle' => 'Разрешить регистрацию',
- 'reg_enable_desc' => 'Если регистрация разрешена, пользователь сможет зарегистрироваться в системе самостоятельно. При регистрации назначается роль пользователя по умолчанию',
+ 'reg_enable_desc' => 'Если регистрация разрешена, пользователь сможет зарегистрироваться в системе самостоятельно. При регистрации назначается роль пользователя по умолчанию.',
'reg_default_role' => 'Роль пользователя по умолчанию после регистрации',
- 'reg_email_confirmation' => 'Подтверждение электонной почты',
+ 'reg_enable_external_warning' => 'Вышеуказанный параметр игнорируется, пока активна внешняя аутентификация LDAP или SAML. Учетные записи для несуществующих пользователей будут создаваться автоматически при условии успешной аутентификации на внешнем сервере.',
+ 'reg_email_confirmation' => 'Подтверждение электронной почты',
'reg_email_confirmation_toggle' => 'Требовать подтверждение по электронной почте',
'reg_confirm_email_desc' => 'При использовании ограничения по домену - подтверждение обязательно, этот пункт игнорируется.',
'reg_confirm_restrict_domain' => 'Ограничить регистрацию по домену',
- 'reg_confirm_restrict_domain_desc' => 'Ð\92ведиÑ\82е Ñ\81пиÑ\81ок доменов поÑ\87Ñ\82Ñ\8b Ñ\87еÑ\80ез запÑ\8fÑ\82Ñ\83Ñ\8e, длÑ\8f коÑ\82оÑ\80Ñ\8bÑ\85 Ñ\80азÑ\80еÑ\88ена Ñ\80егиÑ\81Ñ\82Ñ\80аÑ\86иÑ\8f. Ð\9fолÑ\8cзоваÑ\82елÑ\8fм бÑ\83деÑ\82 оÑ\82пÑ\80авлено пиÑ\81Ñ\8cмо длÑ\8f подÑ\82веÑ\80ждениÑ\8f адÑ\80еÑ\81а пеÑ\80ед вÑ\85одом в пÑ\80иложение. <br> Ð\9eбÑ\80аÑ\82иÑ\82е внимание, Ñ\87Ñ\82о полÑ\8cзоваÑ\82ели Ñ\81могÑ\83Ñ\82 измениÑ\82Ñ\8c Ñ\81вои адÑ\80еÑ\81а Ñ\83же после регистрации.',
+ 'reg_confirm_restrict_domain_desc' => 'Ð\92ведиÑ\82е Ñ\81пиÑ\81ок доменов поÑ\87Ñ\82Ñ\8b Ñ\87еÑ\80ез запÑ\8fÑ\82Ñ\83Ñ\8e, длÑ\8f коÑ\82оÑ\80Ñ\8bÑ\85 Ñ\80азÑ\80еÑ\88ена Ñ\80егиÑ\81Ñ\82Ñ\80аÑ\86иÑ\8f. Ð\9fолÑ\8cзоваÑ\82елÑ\8fм бÑ\83деÑ\82 оÑ\82пÑ\80авлено пиÑ\81Ñ\8cмо длÑ\8f подÑ\82веÑ\80ждениÑ\8f адÑ\80еÑ\81а пеÑ\80ед вÑ\85одом в пÑ\80иложение. <br> Ð\9eбÑ\80аÑ\82иÑ\82е внимание, Ñ\87Ñ\82о полÑ\8cзоваÑ\82ели Ñ\81могÑ\83Ñ\82 измениÑ\82Ñ\8c Ñ\81вой адÑ\80еÑ\81 после регистрации.',
'reg_confirm_restrict_domain_placeholder' => 'Без ограничений',
// Maintenance settings
'maint_image_cleanup_warning' => 'Найдено :count возможно бесполезных изображений. Вы уверены, что хотите удалить эти изображения?',
'maint_image_cleanup_success' => ':count возможно бесполезных изображений было найдено и удалено!',
'maint_image_cleanup_nothing_found' => 'Не найдено ни одного бесполезного изображения!',
+ 'maint_send_test_email' => 'Отправить тестовое письмо',
+ 'maint_send_test_email_desc' => 'Отправить тестовое письмо на адрес электронной почты, указанный в профиле.',
+ 'maint_send_test_email_run' => 'Отправить проверочное письмо',
+ 'maint_send_test_email_success' => 'На адрес :address отравлено письмо',
+ 'maint_send_test_email_mail_subject' => 'Проверка электронной почты',
+ 'maint_send_test_email_mail_greeting' => 'Доставка электронной почты работает!',
+ 'maint_send_test_email_mail_text' => 'Поздравляем! Поскольку вы получили это письмо, электронная почта настроена правильно.',
// Role Settings
'roles' => 'Роли',
'role_user_roles' => 'Роли пользователя',
'role_create' => 'Добавить роль',
- 'role_create_success' => 'Роль упешно добавлена',
+ 'role_create_success' => 'Роль успешно добавлена',
'role_delete' => 'Удалить роль',
'role_delete_confirm' => 'Это удалит роль с именем \':roleName\'.',
- 'role_delete_users_assigned' => 'Эта роль назначена :userCount пользователям. Если вы хотите перенести их из этой роли, выберите новую роль ниже.',
- 'role_delete_no_migration' => "Ð\9dе мигÑ\80иÑ\80овать пользователей",
+ 'role_delete_users_assigned' => 'Эта роль назначена :userCount пользователям. Если вы хотите перенести их, выберите новую роль ниже.',
+ 'role_delete_no_migration' => "Ð\9dе пеÑ\80еноÑ\81ить пользователей",
'role_delete_sure' => 'Вы уверены что хотите удалить данную роль?',
'role_delete_success' => 'Роль успешно удалена',
'role_edit' => 'Редактировать роль',
'role_details' => 'Детали роли',
- 'role_name' => 'Ð\98мÑ\8f роли',
+ 'role_name' => 'Ð\9dазвание роли',
'role_desc' => 'Краткое описание роли',
'role_external_auth_id' => 'Внешние ID авторизации',
'role_system' => 'Системные разрешения',
'role_manage_entity_permissions' => 'Управление правами на все книги, главы и страницы',
'role_manage_own_entity_permissions' => 'Управление разрешениями для собственных книг, разделов и страниц',
'role_manage_page_templates' => 'Управление шаблонами страниц',
+ 'role_access_api' => 'Доступ к системному API',
'role_manage_settings' => 'Управление настройками приложения',
- 'role_asset' => 'РазÑ\80еÑ\88ение длÑ\8f акÑ\82иваÑ\86ии',
+ 'role_asset' => 'Ð\9fÑ\80ава доÑ\81Ñ\82Ñ\83па к маÑ\82еÑ\80иалам',
'role_asset_desc' => 'Эти разрешения контролируют доступ по умолчанию к параметрам внутри системы. Разрешения на книги, главы и страницы перезапишут эти разрешения.',
'role_asset_admins' => 'Администраторы автоматически получают доступ ко всему контенту, но эти опции могут отображать или скрывать параметры пользовательского интерфейса.',
'role_all' => 'Все',
'users_add_new' => 'Добавить пользователя',
'users_search' => 'Поиск пользователей',
'users_details' => 'Данные пользователя',
- 'users_details_desc' => 'Ð\97адайÑ\82е имÑ\8f длÑ\8f Ñ\8dÑ\82ого полÑ\8cзоваÑ\82елÑ\8f, Ñ\87Ñ\82обÑ\8b дÑ\80Ñ\83гие могли его Ñ\83знаÑ\82Ñ\8c',
+ 'users_details_desc' => 'УкажиÑ\82е имÑ\8f и адÑ\80еÑ\81 Ñ\8dлекÑ\82Ñ\80онной поÑ\87Ñ\82Ñ\8b длÑ\8f Ñ\8dÑ\82ого полÑ\8cзоваÑ\82елÑ\8f. Ð\90дÑ\80еÑ\81 Ñ\8dлекÑ\82Ñ\80онной поÑ\87Ñ\82Ñ\8b бÑ\83деÑ\82 иÑ\81полÑ\8cзоваÑ\82Ñ\8cÑ\81Ñ\8f длÑ\8f вÑ\85ода в пÑ\80иложение.',
'users_details_desc_no_email' => 'Задайте имя для этого пользователя, чтобы другие могли его узнать',
'users_role' => 'Роли пользователя',
'users_role_desc' => 'Назначьте роли пользователю. Если назначено несколько ролей, разрешения будут суммироваться и пользователь получит все права назначенных ролей.',
'users_password' => 'Пароль пользователя',
- 'users_password_desc' => 'УÑ\81Ñ\82ановиÑ\82е паÑ\80олÑ\8c длÑ\8f вÑ\85ода в пÑ\80иложение. Ð\94олжно быть не менее 6 символов.',
+ 'users_password_desc' => 'УÑ\81Ñ\82ановиÑ\82е паÑ\80олÑ\8c длÑ\8f вÑ\85ода в пÑ\80иложение. Ð\94лина паÑ\80олÑ\8f должна быть не менее 6 символов.',
'users_send_invite_text' => 'Вы можете отправить этому пользователю email с приглашением, которое позволит ему установить пароль самостоятельно или задайте пароль сами.',
- 'users_send_invite_option' => 'Отправить пользователю email с приглашением.',
+ 'users_send_invite_option' => 'Отправить пользователю письмо с приглашением',
'users_external_auth_id' => 'Внешний ID аутентификации',
- 'users_external_auth_id_desc' => 'Этот ID используется для связи с вашей LDAP системой.',
- 'users_password_warning' => 'Ð\97аполниÑ\82е ниже Ñ\82олÑ\8cко еÑ\81ли вÑ\8b Ñ\85оÑ\82иÑ\82е Ñ\81мениÑ\82Ñ\8c Ñ\81вой пароль.',
+ 'users_external_auth_id_desc' => 'Этот ID используется для связи с вашей внешней системой аутентификации.',
+ 'users_password_warning' => 'Ð\97аполниÑ\82е полÑ\8f ниже Ñ\82олÑ\8cко еÑ\81ли вÑ\8b Ñ\85оÑ\82иÑ\82е измениÑ\82Ñ\8c пароль.',
'users_system_public' => 'Этот пользователь представляет любых гостевых пользователей, которые посещают ваше приложение. Он не может использоваться для входа в систему и назначается автоматически.',
'users_delete' => 'Удалить пользователя',
'users_delete_named' => 'Удалить пользователя :userName',
'users_avatar_desc' => 'Выберите изображение. Изображение должно быть квадратным, размером около 256px.',
'users_preferred_language' => 'Предпочитаемый язык',
'users_preferred_language_desc' => 'Этот параметр изменит язык интерфейса приложения. Это не влияет на созданный пользователем контент.',
- 'users_social_accounts' => 'Аккаунты Соцсетей',
- 'users_social_accounts_info' => 'Здесь вы можете подключить другие учетные записи для более быстрого и легкого входа в систему. Отключение учетной записи здесь не возможно. Отмените доступ к настройкам вашего профиля в подключенном аккаунте соцсети.',
+ 'users_social_accounts' => 'Аккаунты социальных сетей',
+ 'users_social_accounts_info' => 'Здесь вы можете подключить другие учетные записи для более быстрого и легкого входа в систему. Отключение учетной записи здесь не возможно. Отмените доступ к настройкам вашего профиля в подключенном социальном аккаунте.',
'users_social_connect' => 'Подключить аккаунт',
'users_social_disconnect' => 'Отключить аккаунт',
- 'users_social_connected' => ':socialAccount аккаунт упешно подключен к вашему профилю.',
+ 'users_social_connected' => ':socialAccount аккаунт успешно подключен к вашему профилю.',
'users_social_disconnected' => ':socialAccount аккаунт успешно отключен от вашего профиля.',
+ 'users_api_tokens' => 'API токены',
+ 'users_api_tokens_none' => 'Для этого пользователя не создано API токенов',
+ 'users_api_tokens_create' => 'Создать токен',
+ 'users_api_tokens_expires' => 'Истекает',
+ 'users_api_tokens_docs' => 'Документация',
+
+ // API Tokens
+ 'user_api_token_create' => 'Создать токен',
+ 'user_api_token_name' => 'Имя',
+ 'user_api_token_name_desc' => 'Присвойте вашему токену читаемое имя, в качестве напоминания о его назначении в будущем.',
+ '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.',
+ 'user_api_token_secret' => 'Секретный ключ',
+ 'user_api_token_secret_desc' => 'Это сгенерированный системой секретный ключ для этого токена, который необходимо будет указывать в запросах API. Он будет показан только один раз, поэтому скопируйте это значение в безопасное и надежное место.',
+ 'user_api_token_created' => 'Токен создан :timeAgo',
+ 'user_api_token_updated' => 'Токен обновлён :timeAgo',
+ 'user_api_token_delete' => 'Удалить токен',
+ 'user_api_token_delete_warning' => 'Это полностью удалит API токен с именем \':tokenName\' из системы.',
+ 'user_api_token_delete_confirm' => 'Вы уверены, что хотите удалить этот API токен?',
+ 'user_api_token_delete_success' => 'API токен успешно удален',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
'between' => [
'numeric' => ':attribute должен быть между :min и :max.',
'file' => ':attribute должен быть между :min и :max килобайт.',
- 'string' => 'длина :attribute должена бÑ\8bÑ\82Ñ\8c междÑ\83 :min и :max Ñ\81имволами.',
- 'array' => ':attribute должен содержать не менее :min и не более:max элементов.',
+ 'string' => 'длина :attribute должна быть между :min и :max символами.',
+ 'array' => ':attribute должен содержать не менее :min и не более :max элементов.',
],
'boolean' => ':attribute поле может быть только true или false.',
'confirmed' => ':attribute подтверждение не совпадает.',
'digits' => ':attribute должен состоять из :digits цифр.',
'digits_between' => ':attribute должен иметь от :min до :max цифр.',
'email' => ':attribute должен быть корректным email адресом.',
- 'ends_with' => 'The :attribute must end with one of the following: :values',
+ 'ends_with' => ':attribute должен заканчиваться одним из следующих: :values',
'filled' => ':attribute поле необходимо.',
'gt' => [
- 'numeric' => 'The :attribute must be greater than :value.',
- 'file' => 'The :attribute must be greater than :value kilobytes.',
- 'string' => 'The :attribute must be greater than :value characters.',
- 'array' => 'The :attribute must have more than :value items.',
+ 'numeric' => 'Значение :attribute должно быть больше чем :value.',
+ 'file' => 'Значение :attribute должно быть больше :value килобайт.',
+ 'string' => 'Значение :attribute должно быть больше :value символов.',
+ 'array' => 'Значение :attribute должно содержать больше :value элементов.',
],
'gte' => [
- 'numeric' => 'The :attribute must be greater than or equal :value.',
- 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
- 'string' => 'The :attribute must be greater than or equal :value characters.',
- 'array' => 'The :attribute must have :value items or more.',
+ 'numeric' => 'Значение :attribute должно быть больше или равно :value.',
+ 'file' => 'Значение :attribute должно быть больше или равно :value килобайт.',
+ 'string' => 'Значение :attribute должно быть больше или равно :value символам.',
+ 'array' => ':attribute должен иметь :value элементов или больше.',
],
'exists' => 'выделенный :attribute некорректен.',
'image' => ':attribute должен быть изображением.',
'in' => 'выделенный :attribute некорректен.',
'integer' => ':attribute должно быть целое число.',
'ip' => ':attribute должен быть корректным IP адресом.',
- 'ipv4' => 'The :attribute must be a valid IPv4 address.',
- 'ipv6' => 'The :attribute must be a valid IPv6 address.',
- 'json' => 'The :attribute must be a valid JSON string.',
+ 'ipv4' => ':attribute должен быть корректным IPv4-адресом.',
+ 'ipv6' => ':attribute должен быть корректным IPv6-адресом.',
+ 'json' => ':attribute должен быть допустимой строкой JSON.',
'lt' => [
- 'numeric' => 'The :attribute must be less than :value.',
- 'file' => 'The :attribute must be less than :value kilobytes.',
- 'string' => 'The :attribute must be less than :value characters.',
- 'array' => 'The :attribute must have less than :value items.',
+ 'numeric' => 'Значение :attribute должно быть меньше, чем :value.',
+ 'file' => 'Значение :attribute должно быть меньше :value килобайт.',
+ 'string' => 'Значение :attribute должно быть меньше :value символов.',
+ 'array' => 'Значение :attribute должно быть меньше :value элементов.',
],
'lte' => [
- 'numeric' => 'The :attribute must be less than or equal :value.',
- 'file' => 'The :attribute must be less than or equal :value kilobytes.',
- 'string' => 'The :attribute must be less than or equal :value characters.',
- 'array' => 'The :attribute must not have more than :value items.',
+ 'numeric' => 'Значение :attribute должно быть меньше или равно :value.',
+ 'file' => 'Значение :attribute должно быть меньше или равно :value килобайт.',
+ 'string' => 'Значение :attribute должно быть меньше или равно :value символам.',
+ 'array' => 'Поле :attribute не должно содержать больше :value элементов.',
],
'max' => [
'numeric' => ':attribute не может быть больше чем :max.',
],
'mimes' => ':attribute должен быть файлом с типом: :values.',
'min' => [
- 'numeric' => ':attribute должен быть хотя бы :min.',
+ 'numeric' => 'Поле :attribute должно быть не менее :min.',
'file' => ':attribute должен быть минимум :min килобайт.',
'string' => ':attribute должен быть минимум :min символов.',
'array' => ':attribute должен содержать хотя бы :min элементов.',
],
'no_double_extension' => ':attribute должен иметь только одно расширение файла.',
'not_in' => 'Выбранный :attribute некорректен.',
- 'not_regex' => 'The :attribute format is invalid.',
+ 'not_regex' => 'Формат :attribute некорректен.',
'numeric' => ':attribute должен быть числом.',
- 'regex' => ':attribute неправильный формат.',
+ 'regex' => 'Формат :attribute некорректен.',
'required' => ':attribute обязательное поле.',
'required_if' => ':attribute обязательное поле когда :other со значением :value.',
'required_with' => ':attribute обязательное поле когда :values установлено.',
'string' => ':attribute должен быть строкой.',
'timezone' => ':attribute должен быть корректным часовым поясом.',
'unique' => ':attribute уже есть.',
- 'url' => ':attribute имеет неправильный формат.',
+ 'url' => 'Формат :attribute некорректен.',
'uploaded' => 'Не удалось загрузить файл. Сервер не может принимать файлы такого размера.',
// Custom validation lines
'reset' => 'Reset',
'remove' => 'Odstrániť',
'add' => 'Add',
+ 'fullscreen' => 'Fullscreen',
// Sort Options
'sort_options' => 'Sort Options',
'email_already_confirmed' => 'Email bol už overený, skúste sa prihlásiť.',
'email_confirmation_invalid' => 'Tento potvrdzujúci token nie je platný alebo už bol použitý, skúste sa prosím registrovať znova.',
'email_confirmation_expired' => 'Potvrdzujúci token expiroval, bol odoslaný nový potvrdzujúci email.',
+ '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_authed' => 'LDAP access failed using given dn & password details',
'ldap_extension_not_installed' => 'LDAP PHP extension not installed',
'ldap_cannot_connect' => 'Cannot connect to ldap server, Initial connection failed',
+ 'saml_already_logged_in' => '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',
'social_no_action_defined' => 'Nebola definovaná žiadna akcia',
'social_login_bad_response' => "Error received during :socialAccount login: \n:error",
'social_account_in_use' => 'Tento :socialAccount účet sa už používa, skúste sa prihlásiť pomocou možnosti :socialAccount.',
'app_down' => ':appName je momentálne nedostupná',
'back_soon' => 'Čoskoro bude opäť dostupná.',
+ // API errors
+ 'api_no_authorization_found' => 'No authorization token found on the request',
+ 'api_bad_authorization_format' => 'An authorization token was found on the request but the format appeared incorrect',
+ 'api_user_token_not_found' => 'No matching API token was found for the provided authorization token',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => 'The authorization token used has expired',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
'app_disable_comments_toggle' => 'Disable comments',
'app_disable_comments_desc' => 'Zakázať komentáre na všetkých stránkach aplikácie. Existujúce komentáre sa nezobrazujú.',
+ // Color settings
+ 'content_colors' => 'Content Colors',
+ 'content_colors_desc' => 'Sets 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' => 'Shelf Color',
+ 'book_color' => 'Book Color',
+ 'chapter_color' => 'Chapter Color',
+ 'page_color' => 'Page Color',
+ 'page_draft_color' => 'Page Draft Color',
+
// Registration Settings
'reg_settings' => 'Nastavenia registrácie',
'reg_enable' => 'Enable Registration',
'reg_enable_toggle' => 'Enable registration',
'reg_enable_desc' => 'When registration is enabled user will be able to sign themselves up as an application user. Upon registration they are given a single, default user role.',
'reg_default_role' => 'Prednastavená používateľská rola po registrácii',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
'reg_email_confirmation' => 'Email Confirmation',
'reg_email_confirmation_toggle' => 'Require email confirmation',
'reg_confirm_email_desc' => 'Ak je použité obmedzenie domény, potom bude vyžadované overenie emailu a hodnota nižšie bude ignorovaná.',
'maint_image_cleanup_warning' => ':count potentially unused images were found. Are you sure you want to delete these images?',
'maint_image_cleanup_success' => ':count potentially unused images found and deleted!',
'maint_image_cleanup_nothing_found' => 'No unused images found, Nothing deleted!',
+ 'maint_send_test_email' => 'Send a Test Email',
+ 'maint_send_test_email_desc' => 'This sends a test email to your email address specified in your profile.',
+ 'maint_send_test_email_run' => 'Send test email',
+ 'maint_send_test_email_success' => 'Email sent to :address',
+ 'maint_send_test_email_mail_subject' => 'Test Email',
+ 'maint_send_test_email_mail_greeting' => 'Email delivery seems to work!',
+ 'maint_send_test_email_mail_text' => 'Congratulations! As you received this email notification, your email settings seem to be configured properly.',
// Role Settings
'roles' => 'Roly',
'role_manage_entity_permissions' => 'Spravovať všetky oprávnenia kníh, kapitol a stránok',
'role_manage_own_entity_permissions' => 'Spravovať oprávnenia vlastných kníh, kapitol a stránok',
'role_manage_page_templates' => 'Manage page templates',
+ 'role_access_api' => 'Access system API',
'role_manage_settings' => 'Spravovať nastavenia aplikácie',
'role_asset' => 'Oprávnenia majetku',
'role_asset_desc' => 'Tieto oprávnenia regulujú prednastavený prístup k zdroju v systéme. Oprávnenia pre knihy, kapitoly a stránky majú vyššiu prioritu.',
'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
'users_send_invite_option' => 'Send user invite email',
'users_external_auth_id' => 'Externé autentifikačné ID',
- 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your LDAP system.',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
'users_password_warning' => 'Pole nižšie vyplňte iba ak chcete zmeniť heslo:',
'users_system_public' => 'Tento účet reprezentuje každého hosťovského používateľa, ktorý navštívi Vašu inštanciu. Nedá sa pomocou neho prihlásiť a je priradený automaticky.',
'users_delete' => 'Zmazať používateľa',
'users_social_disconnect' => 'Odpojiť účet',
'users_social_connected' => ':socialAccount účet bol úspešne pripojený k Vášmu profilu.',
'users_social_disconnected' => ':socialAccount účet bol úspešne odpojený od Vášho profilu.',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'No API tokens have been created for this user',
+ 'users_api_tokens_create' => 'Create Token',
+ 'users_api_tokens_expires' => 'Expires',
+ 'users_api_tokens_docs' => 'API Documentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Create API Token',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Token Created :timeAgo',
+ 'user_api_token_updated' => 'Token Updated :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
'email_not_confirmed_resend_button' => 'Skicka bekräftelse på nytt',
// User Invite
- 'user_invite_email_subject' => 'You have been invited to join :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_action' => 'Set Account Password',
- '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_success' => 'Password set, you now have access to :appName!'
+ 'user_invite_email_subject' => 'Du har blivit inbjuden att gå med i :appName!',
+ 'user_invite_email_greeting' => 'Ett konto har skapats för dig i :appName.',
+ 'user_invite_email_text' => 'Klicka på knappen nedan för att ange ett lösenord och få tillgång:',
+ 'user_invite_email_action' => 'Ange kontolösenord',
+ 'user_invite_page_welcome' => 'Välkommen till :appName!',
+ 'user_invite_page_text' => 'För att slutföra ditt konto och få åtkomst måste du ange ett lösenord som kommer att användas för att logga in på :appName vid framtida besök.',
+ 'user_invite_page_confirm_button' => 'Bekräfta lösenord',
+ 'user_invite_success' => 'Lösenord satt, du har nu tillgång till :appName!'
];
\ No newline at end of file
'reset' => 'Återställ',
'remove' => 'Radera',
'add' => 'Lägg till',
+ 'fullscreen' => 'Helskärm',
// Sort Options
- 'sort_options' => 'Sort Options',
- 'sort_direction_toggle' => 'Sort Direction Toggle',
- 'sort_ascending' => 'Sort Ascending',
- 'sort_descending' => 'Sort Descending',
+ 'sort_options' => 'Sorteringsalternativ',
+ 'sort_direction_toggle' => 'Växla sorteringsriktning',
+ 'sort_ascending' => 'Sortera stigande',
+ 'sort_descending' => 'Sortera fallande',
'sort_name' => 'Namn',
'sort_created_at' => 'Skapad',
'sort_updated_at' => 'Uppdaterad',
'grid_view' => 'Rutnätsvy',
'list_view' => 'Listvy',
'default' => 'Förvald',
- 'breadcrumb' => 'Breadcrumb',
+ 'breadcrumb' => 'Brödsmula',
// Header
- 'profile_menu' => 'Profile Menu',
+ 'profile_menu' => 'Profilmeny',
'view_profile' => 'Visa profil',
'edit_profile' => 'Redigera profil',
'pages_delete_confirm' => 'Är du säker på att du vill ta bort den här sidan?',
'pages_delete_draft_confirm' => 'Är du säker på att du vill ta bort det här utkastet?',
'pages_editing_named' => 'Redigerar sida :pageName',
- 'pages_edit_draft_options' => 'Draft Options',
+ 'pages_edit_draft_options' => 'Inställningar för utkast',
'pages_edit_save_draft' => 'Spara utkast',
'pages_edit_draft' => 'Redigera utkast',
'pages_editing_draft' => 'Redigerar utkast',
'pages_copy_success' => 'Sidan har kopierats',
'pages_permissions' => 'Rättigheter för sida',
'pages_permissions_success' => 'Rättigheterna för sidan har uppdaterats',
- 'pages_revision' => 'Revision',
+ 'pages_revision' => 'Revidering',
'pages_revisions' => 'Sidrevisioner',
'pages_revisions_named' => 'Sidrevisioner för :pageName',
'pages_revision_named' => 'Sidrevision för :pageName',
'email_already_confirmed' => 'E-posten har redan bekräftats, prova att logga in.',
'email_confirmation_invalid' => 'Denna bekräftelsekod är inte giltig eller har redan använts. Vänligen prova att registera dig på nytt',
'email_confirmation_expired' => 'Denna bekräftelsekod har gått ut. Vi har skickat dig en ny.',
+ 'email_confirmation_awaiting' => 'The email address for the account in use needs to be confirmed',
'ldap_fail_anonymous' => 'LDAP-inloggning misslyckades med anonym bindning',
'ldap_fail_authed' => 'LDAP-inloggning misslyckades med angivna dn- och lösenordsuppgifter',
'ldap_extension_not_installed' => 'LDAP PHP-tillägg inte installerat',
'ldap_cannot_connect' => 'Kan inte ansluta till ldap-servern. Anslutningen misslyckades',
+ 'saml_already_logged_in' => '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',
'social_no_action_defined' => 'Ingen åtgärd definierad',
'social_login_bad_response' => "Ett fel inträffade vid inloggning genom :socialAccount: \n:error",
'social_account_in_use' => 'Detta konto från :socialAccount används redan. Testa att logga in med :socialAccount istället.',
'app_down' => ':appName är nere just nu',
'back_soon' => 'Vi är snart tillbaka.',
+ // API errors
+ 'api_no_authorization_found' => 'No authorization token found on the request',
+ 'api_bad_authorization_format' => 'An authorization token was found on the request but the format appeared incorrect',
+ 'api_user_token_not_found' => 'No matching API token was found for the provided authorization token',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => 'The authorization token used has expired',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
'app_disable_comments_toggle' => 'Inaktivera kommentarer',
'app_disable_comments_desc' => 'Inaktivera kommentarer på alla sidor i applikationen. Befintliga kommentarer visas inte.',
+ // Color settings
+ 'content_colors' => 'Content Colors',
+ 'content_colors_desc' => 'Sets 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' => 'Shelf Color',
+ 'book_color' => 'Book Color',
+ 'chapter_color' => 'Chapter Color',
+ 'page_color' => 'Page Color',
+ 'page_draft_color' => 'Page Draft Color',
+
// Registration Settings
'reg_settings' => 'Registreringsinställningar',
'reg_enable' => 'Tillåt registrering',
'reg_enable_toggle' => 'Tillåt registrering',
'reg_enable_desc' => 'När registrering tillåts kan användaren logga in som en användare. Vid registreringen ges de en förvald användarroll.',
'reg_default_role' => 'Standardroll efter registrering',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
'reg_email_confirmation' => 'E-postbekräftelse',
'reg_email_confirmation_toggle' => 'Kräv e-postbekräftelse',
'reg_confirm_email_desc' => 'Om registrering begränas till vissa domäner kommer e-postbekräftelse alltid att krävas och den här inställningen kommer att ignoreras.',
'maint_image_cleanup_warning' => 'Hittade :count bilder som potentiellt inte används. Vill du verkligen ta bort dessa bilder?',
'maint_image_cleanup_success' => 'Hittade och raderade :count bilder som potentiellt inte används!',
'maint_image_cleanup_nothing_found' => 'Hittade inga oanvända bilder, så inget har raderats!',
+ 'maint_send_test_email' => 'Skicka ett testmail',
+ 'maint_send_test_email_desc' => 'This sends a test email to your email address specified in your profile.',
+ 'maint_send_test_email_run' => 'Skicka testmail',
+ 'maint_send_test_email_success' => 'Email sent to :address',
+ 'maint_send_test_email_mail_subject' => 'Test Email',
+ 'maint_send_test_email_mail_greeting' => 'Email delivery seems to work!',
+ 'maint_send_test_email_mail_text' => 'Congratulations! As you received this email notification, your email settings seem to be configured properly.',
// Role Settings
'roles' => 'Roller',
'role_manage_entity_permissions' => 'Hantera rättigheter för alla böcker, kapitel och sidor',
'role_manage_own_entity_permissions' => 'Hantera rättigheter för egna böcker, kapitel och sidor',
'role_manage_page_templates' => 'Manage page templates',
+ 'role_access_api' => 'Access system API',
'role_manage_settings' => 'Hantera appinställningar',
'role_asset' => 'Tillgång till innehåll',
'role_asset_desc' => 'Det här är standardinställningarna för allt innehåll i systemet. Eventuella anpassade rättigheter på böcker, kapitel och sidor skriver över dessa inställningar.',
'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
'users_send_invite_option' => 'Send user invite email',
'users_external_auth_id' => 'Externt ID för autentisering',
- 'users_external_auth_id_desc' => 'Detta är det ID som används för att matcha användaren när den kommunicerar med ditt LDAP-system.',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
'users_password_warning' => 'Fyll i nedanstående fält endast om du vill byta lösenord:',
'users_system_public' => 'Den här användaren representerar eventuella gäster som använder systemet. Den kan inte användas för att logga in utan tilldeles automatiskt.',
'users_delete' => 'Ta bort användare',
'users_social_disconnect' => 'Koppla från konto',
'users_social_connected' => ':socialAccount har kopplats till ditt konto.',
'users_social_disconnected' => ':socialAccount har kopplats bort från ditt konto.',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'No API tokens have been created for this user',
+ 'users_api_tokens_create' => 'Create Token',
+ 'users_api_tokens_expires' => 'Expires',
+ 'users_api_tokens_docs' => 'API Documentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Create API Token',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Token Created :timeAgo',
+ 'user_api_token_updated' => 'Token Updated :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
'name' => 'İsim',
'username' => 'Kullanıcı Adı',
- 'email' => 'Email',
+ 'email' => 'E-Posta',
'password' => 'Şifre',
'password_confirm' => 'Şifreyi onayla',
'password_hint' => 'En az 5 karakter olmalı',
'email_not_confirmed_resend_button' => 'Doğrulama Mailini Yeniden Yolla',
// User Invite
- 'user_invite_email_subject' => 'You have been invited to join :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_action' => 'Set Account Password',
- '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_success' => 'Password set, you now have access to :appName!'
+ 'user_invite_email_subject' => ':appName\'e katılma daveti aldınız!',
+ 'user_invite_email_greeting' => 'Sizin için :appName üzerinde bir hesap oluşturuldu.',
+ 'user_invite_email_text' => 'Parola belirlemek ve erişebilmek için aşağıdaki butona tıklayın:',
+ 'user_invite_email_action' => 'Hesap Şifresini Belirleyin',
+ 'user_invite_page_welcome' => ':appName\'e hoş geldiniz!',
+ 'user_invite_page_text' => 'Hesap açılışını tamamlamak ve erişim izni alabilmek için daha sonraki girişlerinizde kullanabilmek üzere bir şifre belirlemeniz gerekiyor.',
+ 'user_invite_page_confirm_button' => 'Parolayı Onayla',
+ 'user_invite_success' => 'Parolanız belirlendi, artık :appName\'e erişebilirsiniz!'
];
\ No newline at end of file
'reset' => 'Sıfırla',
'remove' => 'Kaldır',
'add' => 'Ekle',
+ 'fullscreen' => 'Tam Ekran',
// Sort Options
- 'sort_options' => 'Sort Options',
- 'sort_direction_toggle' => 'Sort Direction Toggle',
- 'sort_ascending' => 'Sort Ascending',
- 'sort_descending' => 'Sort Descending',
+ 'sort_options' => 'Sıralama Seçenekleri',
+ 'sort_direction_toggle' => 'Sıralama Yönünü Değiştir',
+ 'sort_ascending' => 'Artan Sıralama',
+ 'sort_descending' => 'Azalan Sıralama',
'sort_name' => 'İsim',
'sort_created_at' => 'Oluşturulma Tarihi',
'sort_updated_at' => 'Güncellenme Tarihi',
'grid_view' => 'Grid görünümü',
'list_view' => 'Liste görünümü',
'default' => 'Varsayılan',
- 'breadcrumb' => 'Breadcrumb',
+ 'breadcrumb' => 'Sayfa İşaretleri Yolu',
// Header
- 'profile_menu' => 'Profile Menu',
+ 'profile_menu' => 'Tercih menüsü',
'view_profile' => 'Profili Görüntüle',
'edit_profile' => 'Profili Düzenle',
'pages_delete_confirm' => 'Bu sayfayı silmek istediğinizden emin misiniz?',
'pages_delete_draft_confirm' => 'Bu taslak sayfayı silmek istediğinizden emin misiniz?',
'pages_editing_named' => ':pageName Sayfası Düzenleniyor',
- 'pages_edit_draft_options' => 'Draft Options',
+ 'pages_edit_draft_options' => 'Taslak Seçenekleri',
'pages_edit_save_draft' => 'Taslağı Kaydet',
'pages_edit_draft' => 'Taslak Sayfasını Düzenle',
'pages_editing_draft' => 'Taslak Düzenleniyor',
],
'pages_draft_discarded' => 'Taslak yok sayıldı, editör mevcut sayfa içeriği ile güncellendi',
'pages_specific' => 'Özel Sayfa',
- 'pages_is_template' => 'Page Template',
+ 'pages_is_template' => 'Sayfa Şablonu',
// Editor Sidebar
'page_tags' => 'Sayfa Etiketleri',
'shelf_tags' => 'Kitaplık Etiketleri',
'tag' => 'Etiket',
'tags' => 'Etiketler',
- 'tag_name' => 'Tag Name',
+ 'tag_name' => 'Etiket İsmi',
'tag_value' => 'Etiket İçeriği (Opsiyonel)',
'tags_explain' => "İçeriğini daha iyi kategorize etmek için bazı etiketler ekle. Etiketlere değer atayarak daha derin bir organizasyon yapısına sahip olabilirsin.",
'tags_add' => 'Başka etiket ekle',
- 'tags_remove' => 'Remove this tag',
+ 'tags_remove' => 'Bu Etiketi Sil',
'attachments' => 'Ekler',
'attachments_explain' => 'Sayfanızda göstermek için bazı dosyalar yükleyin veya bazı bağlantılar ekleyin. Bunlar sayfanın sidebarında görülebilir.',
'attachments_explain_instant_save' => 'Burada yapılan değişiklikler anında kaydedilir.',
'attachments_file_uploaded' => 'Dosya başarıyla yüklendi',
'attachments_file_updated' => 'Dosya başarıyla güncellendi',
'attachments_link_attached' => 'Link sayfaya başarıyla eklendi',
- 'templates' => 'Templates',
- 'templates_set_as_template' => 'Page is a template',
- 'templates_explain_set_as_template' => 'You can set this page as a template so its contents be utilized when creating other pages. Other users will be able to use this template if they have view permissions for this page.',
- 'templates_replace_content' => 'Replace page content',
- 'templates_append_content' => 'Append to page content',
- 'templates_prepend_content' => 'Prepend to page content',
+ 'templates' => 'Şablonlar',
+ 'templates_set_as_template' => 'Sayfa bir şablondur',
+ 'templates_explain_set_as_template' => 'Bu sayfayı şablon olarak seçebilirsiniz. Böylece taslağın içeriği diğer sayfaları oluştururken düzenlenebilir. Eğer yetkileri varsa diğer kullanıcılar da bu sayfayı görüntülerken bu şablonu kullanabilirler.',
+ 'templates_replace_content' => 'Sayfa içeriğini değiştir',
+ 'templates_append_content' => 'Sayfa içeriğine ekle',
+ 'templates_prepend_content' => 'Sayfa içeriğinin başına ekle',
// Profile View
'profile_user_for_x' => 'Kullanıcı :time',
'email_already_confirmed' => 'E-mail halihazırda onaylanmış, giriş yapmayı dene.',
'email_confirmation_invalid' => 'Bu doğrulama tokenı daha önce kullanılmış veya geçerli değil, lütfen tekrar kayıt olmayı deneyin.',
'email_confirmation_expired' => 'Doğrulama token\'ının süresi geçmiş, yeni bir mail gönderildi.',
+ 'email_confirmation_awaiting' => 'The email address for the account in use needs to be confirmed',
'ldap_fail_anonymous' => 'Anonim LDAP girişi başarısız oldu',
'ldap_fail_authed' => 'Verdiğiniz bilgiler ile LDAP girişi başarısız oldu.',
'ldap_extension_not_installed' => 'LDAP PHP eklentisi yüklenmedi',
'ldap_cannot_connect' => 'LDAP sunucusuna bağlanılamadı, ilk bağlantı başarısız oldu',
+ 'saml_already_logged_in' => 'Zaten giriş yapıldı',
+ 'saml_user_not_registered' => ':name adlı kullanıcı kayıtlı değil ve otomatik kaydolma devre dışı',
+ 'saml_no_email_address' => 'Bu kullanıcı için, harici bir doğrulama siteminden elde edilen verilerde, bir e-posta adresi bulunamadı',
+ 'saml_invalid_response_id' => 'Harici doğrulama sistemi tarafından sağlanan bir veri talebi, bu uygulama tarafından başlatılan bir işlem tarafından tanınamadı. Giriş yaptıktan sonra geri dönmek bu soruna yol açabilir.',
+ 'saml_fail_authed' => ':system kullanarak giriş yapma başarısız, sistem başarılı bir doğrulama sağlamadı',
'social_no_action_defined' => 'Bir aksiyon tanımlanmadı',
'social_login_bad_response' => ":socialAccount girişi sırasında hata oluştu: \n:error",
'social_account_in_use' => 'Bu :socialAccount zaten kullanımda, :socialAccount hesabıyla giriş yapmayı deneyin.',
'social_account_register_instructions' => 'Hala bir hesabınız yoksa :socialAccount ile kayıt olabilirsiniz.',
'social_driver_not_found' => 'Social driver bulunamadı',
'social_driver_not_configured' => ':socialAccount ayarlarınız doğru bir şekilde ayarlanmadı.',
- 'invite_token_expired' => 'This invitation link has expired. You can instead try to reset your account password.',
+ 'invite_token_expired' => 'Davetiye linkinin süresi doldu. Bunun yerine parolanızı sıfırlamayı deneyebilirsiniz.',
// System
'path_not_writable' => ':filePath dosya yolu yüklenemedi. Sunucuya yazılabilir olduğundan emin olun.',
'app_down' => ':appName şu anda inaktif',
'back_soon' => 'En kısa zamanda aktif hale gelecek.',
+ // API errors
+ 'api_no_authorization_found' => 'No authorization token found on the request',
+ 'api_bad_authorization_format' => 'An authorization token was found on the request but the format appeared incorrect',
+ 'api_user_token_not_found' => 'No matching API token was found for the provided authorization token',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => 'The authorization token used has expired',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
'app_disable_comments_toggle' => 'Yorumları engelle',
'app_disable_comments_desc' => 'Yorumları uygulamadaki bütün sayfalar için engelle. <br> Mevcut yorumlar gösterilmeyecektir.',
+ // Color settings
+ 'content_colors' => 'İçerik Renkleri',
+ 'content_colors_desc' => 'Sets 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' => 'Raf Rengi',
+ 'book_color' => 'Kitap Rengi',
+ 'chapter_color' => 'Kısım Rengi',
+ 'page_color' => 'Sayfa Rengi',
+ 'page_draft_color' => 'Sayfa Taslağı Rengi',
+
// Registration Settings
'reg_settings' => 'Kayıt',
'reg_enable' => 'Kaydolmaya İzin Ver',
'reg_enable_toggle' => 'Kaydolmaya izin ver',
'reg_enable_desc' => 'Kayıt olmaya izin verdiğinizde kullanıcılar kendilerini uygulamaya kaydedebilecekler. Kayıt olduktan sonra kendilerine varsayılan kullanıcı rolü atanacaktır.',
'reg_default_role' => 'Kayıt olduktan sonra varsayılan kullanıcı rolü',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
'reg_email_confirmation' => 'Email Doğrulama',
'reg_email_confirmation_toggle' => 'E-mail onayı gerektir',
'reg_confirm_email_desc' => 'Eğer domain kısıtlaması kullanılıyorsa o zaman email doğrulaması gereklidir ve bu seçenek yok sayılacaktır.',
'maint_image_cleanup_warning' => ':count potansiyel kullanılmayan görsel bulundu. Bu görselleri silmek istediğinizden emin misiniz?',
'maint_image_cleanup_success' => ':count potanisyel kullanılmayan görsel bulundu ve silindi!',
'maint_image_cleanup_nothing_found' => 'Kullanılmayan görsel bulunamadı ve birşey silinmedi!',
+ 'maint_send_test_email' => 'Test E-Postası Gönder',
+ 'maint_send_test_email_desc' => 'Bu profilinizde girdiğiniz e-posta adresine bir test e-postası gönderir.',
+ 'maint_send_test_email_run' => 'Test E-Postasını gönder',
+ 'maint_send_test_email_success' => 'E-Posta :address adresine gönderildi',
+ 'maint_send_test_email_mail_subject' => 'Test e-postası',
+ 'maint_send_test_email_mail_greeting' => 'E-Posta gönderimi başarılı!',
+ 'maint_send_test_email_mail_text' => 'Tebrikler! Eğer bu e-posta bildirimini alıyorsanız, e-posta ayarlarınız doğru bir şekilde ayarlanmış demektir.',
// Role Settings
'roles' => 'Roller',
'role_manage_roles' => 'Rolleri ve rol izinlerini yönet',
'role_manage_entity_permissions' => 'Bütün kitap, bölüm ve sayfa izinlerini yönet',
'role_manage_own_entity_permissions' => 'Sahip olunan kitap, bölüm ve sayfaların izinlerini yönet',
- 'role_manage_page_templates' => 'Manage page templates',
+ 'role_manage_page_templates' => 'Sayfa şablonlarını yönet',
+ 'role_access_api' => 'Access system API',
'role_manage_settings' => 'Uygulama ayarlarını yönet',
'role_asset' => 'Asset Yetkileri',
'role_asset_desc' => 'Bu izinleri assetlere sistem içinden varsayılan erişimi kontrol eder. Kitaplar, bölümler ve sayfaların izinleri bu izinleri override eder.',
'users_role_desc' => 'Bu kullanıcının hangi rollere atanabileceğini belirleyin. Eğer bir kullanıcıya birden fazla rol atanırsa, kullanıcı bütün rollerin özelliklerini kullanabilir.',
'users_password' => 'Kullanıcı Parolası',
'users_password_desc' => 'Kullanıcının giriş yaparken kullanacağı bir parola belirleyin. Parola en az 5 karakter olmalıdır.',
- 'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
- 'users_send_invite_option' => 'Send user invite email',
+ 'users_send_invite_text' => 'Bu kullanıcıya parolasını sıfırlayabilmesi için bir e-posta gönder veya şifresini sen belirle.',
+ 'users_send_invite_option' => 'Kullanıcıya davet e-postası gönder',
'users_external_auth_id' => 'Harici Authentication ID\'si',
- 'users_external_auth_id_desc' => 'Bu ID kullanıcı LDAP sunucu ile bağlantı kurarken kullanılır.',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
'users_password_warning' => 'Sadece parolanızı değiştirmek istiyorsanız aşağıyı doldurunuz.',
'users_system_public' => 'Bu kullanıcı sizin uygulamanızı ziyaret eden bütün misafir kullanıcıları temsil eder. Giriş yapmak için kullanılamaz, otomatik olarak atanır.',
'users_delete' => 'Kullanıcı Sil',
'users_social_disconnect' => 'Hesabın Bağlantısını Kes',
'users_social_connected' => ':socialAccount hesabı profilinize başarıyla bağlandı.',
'users_social_disconnected' => ':socialAccount hesabınızın profilinizle ilişiği başarıyla kesildi.',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'No API tokens have been created for this user',
+ 'users_api_tokens_create' => 'Create Token',
+ 'users_api_tokens_expires' => 'Expires',
+ 'users_api_tokens_docs' => 'API Documentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Create API Token',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Token Created :timeAgo',
+ 'user_api_token_updated' => 'Token Updated :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
'digits' => ':attribute :digits basamaklı olmalıdır.',
'digits_between' => ':attribute :min ve :max basamaklı olmalıdır.',
'email' => ':attribute geçerli bir e-mail adresi olmalıdır.',
- 'ends_with' => 'The :attribute must end with one of the following: :values',
+ 'ends_with' => ':attribute şunlardan biriyle bitmelidir: :values',
'filled' => ':attribute gerekli bir alandır.',
'gt' => [
- 'numeric' => 'The :attribute must be greater than :value.',
- 'file' => 'The :attribute must be greater than :value kilobytes.',
- 'string' => 'The :attribute must be greater than :value characters.',
- 'array' => 'The :attribute must have more than :value items.',
+ 'numeric' => ':attribute :max değerinden büyük olmalı.',
+ 'file' => ':attribute değeri :value kilobayt değerinden büyük olmalıdır.',
+ 'string' => ':attribute değeri :value karakter değerinden büyük olmalıdır.',
+ 'array' => ':attribute, :value öğeden daha fazlasına sahip olamaz.',
],
'gte' => [
- 'numeric' => 'The :attribute must be greater than or equal :value.',
- 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
- 'string' => 'The :attribute must be greater than or equal :value characters.',
- 'array' => 'The :attribute must have :value items or more.',
+ 'numeric' => ':attribute, :value değerinden büyük veya eşit olmalı.',
+ 'file' => ':attribute, :value kilobayttan eşit ya da büyük olmalı.',
+ 'string' => ':attribute, :value kilobayttan eşit ya da büyük olmalı.',
+ 'array' => ':attribute, :value veya daha fazla maddeye sahip olmalıdır.',
],
'exists' => 'Seçilen :attribute geçerli bir alan değildir.',
'image' => ':attribute bir görsel olmalıdır.',
'in' => 'Seçilen :attribute geçerli değildir.',
'integer' => ':attribute bir integer değeri olmalıdır.',
'ip' => ':attribute geçerli bir IP adresi olmalıdır.',
- 'ipv4' => 'The :attribute must be a valid IPv4 address.',
- 'ipv6' => 'The :attribute must be a valid IPv6 address.',
- 'json' => 'The :attribute must be a valid JSON string.',
+ 'ipv4' => ': Özniteliği geçerli bir IPv4 adresi olmalıdır.',
+ 'ipv6' => ':attribute geçerli bir IPv6 adresi olmalıdır.',
+ 'json' => ':attribute geçerli bir JSON dizini olmalı.',
'lt' => [
- 'numeric' => 'The :attribute must be less than :value.',
- 'file' => 'The :attribute must be less than :value kilobytes.',
- 'string' => 'The :attribute must be less than :value characters.',
- 'array' => 'The :attribute must have less than :value items.',
+ 'numeric' => ':attribute, :value değerinden küçük olmalıdır.',
+ 'file' => ':attribute, :value kilobayt boyutundan küçük olmalıdır.',
+ 'string' => ':attribute, :value karakterden küçük olmalıdır.',
+ 'array' => ':attribute, :value öğeden az olmalıdır.',
],
'lte' => [
- 'numeric' => 'The :attribute must be less than or equal :value.',
- 'file' => 'The :attribute must be less than or equal :value kilobytes.',
- 'string' => 'The :attribute must be less than or equal :value characters.',
- 'array' => 'The :attribute must not have more than :value items.',
+ 'numeric' => ':attribute, :value değerinden küçük veya eşit olmalıdır.',
+ 'file' => ':attribute, :value kilobayttan küçük ya da eşit olmalıdır.',
+ 'string' => ':attribute, :value kilobayttan küçük ya da eşit olmalıdır.',
+ 'array' => ':attribute, :value öğeden daha fazlasına sahip olamaz.',
],
'max' => [
'numeric' => ':attribute, :max değerinden büyük olmamalıdır.',
],
'no_double_extension' => ':attribute sadece tek bir dosya tipinde olmalıdır.',
'not_in' => 'Seçili :attribute geçerli değildir.',
- 'not_regex' => 'The :attribute format is invalid.',
+ 'not_regex' => ':attribute formatı geçerli değildir.',
'numeric' => ':attribute rakam olmalıdır.',
'regex' => ':attribute formatı geçerli değildir.',
'required' => 'The :attribute field is required. :attribute alanı gereklidir.',
'book_sort_notification' => 'Книгу успішно відновлено',
// Bookshelves
- 'bookshelf_create' => 'Ñ\81Ñ\82воÑ\80ено книжкову полицю',
+ 'bookshelf_create' => 'Ñ\81Ñ\82воÑ\80ив книжкову полицю',
'bookshelf_create_notification' => 'Книжкову полицю успішно створено',
'bookshelf_update' => 'оновив книжкову полицю',
'bookshelf_update_notification' => 'Книжкову полицю успішно оновлено',
// Login & Register
'sign_up' => 'Реєстрація',
'log_in' => 'Увійти',
- 'log_in_with' => 'Увійти з :socialDriver',
- 'sign_up_with' => 'Ð\97аÑ\80еÑ\94Ñ\81Ñ\82Ñ\80Ñ\83ваÑ\82иÑ\81Ñ\8c з :socialDriver',
+ 'log_in_with' => 'Увійти через :socialDriver',
+ 'sign_up_with' => 'Ð\97аÑ\80еÑ\94Ñ\81Ñ\82Ñ\80Ñ\83ваÑ\82иÑ\81Ñ\8f Ñ\87еÑ\80ез :socialDriver',
'logout' => 'Вихід',
'name' => 'Ім\'я',
'username' => 'Логін',
- 'email' => 'Email',
+ 'email' => 'Адреса електронної пошти',
'password' => 'Пароль',
'password_confirm' => 'Підтвердження пароля',
- 'password_hint' => 'Має бути більше 7 символів',
+ 'password_hint' => 'Має бути більше ніж 7 символів',
'forgot_password' => 'Забули пароль?',
- 'remember_me' => 'Запам’ятати мене',
+ 'remember_me' => 'Запам\'ятати мене',
'ldap_email_hint' => 'Введіть email для цього облікового запису.',
'create_account' => 'Створити обліковий запис',
'already_have_account' => 'Вже є обліковий запис?',
'dont_have_account' => 'Немає облікового запису?',
'social_login' => 'Вхід через соціальну мережу',
'social_registration' => 'Реєстрація через соціальну мережу',
- 'social_registration_text' => 'Реєстрація і вхід через інший сервіс',
+ 'social_registration_text' => 'Реєстрація і вхід через інший сервіс.',
'register_thanks' => 'Дякуємо за реєстрацію!',
'register_confirm' => 'Будь ласка, перевірте свою електронну пошту та натисніть кнопку підтвердження, щоб отримати доступ до :appName.',
// Password Reset
'reset_password' => 'Скинути пароль',
'reset_password_send_instructions' => 'Введіть адресу електронної пошти нижче, і вам буде надіслано електронне повідомлення з посиланням на зміну пароля.',
- 'reset_password_send_button' => 'Надіслати посилання для скидання',
+ 'reset_password_send_button' => 'Надіслати посилання для скидання пароля',
'reset_password_sent_success' => 'Посилання для скидання пароля було надіслано на :email.',
'reset_password_success' => 'Ваш пароль успішно скинуто.',
'email_reset_subject' => 'Скинути ваш пароль :appName',
'email_confirm_success' => 'Ваш електронну адресу підтверджено!',
'email_confirm_resent' => 'Лист з підтвердженням надіслано, перевірте свою пошту.',
- 'email_not_confirmed' => 'Адреса Email не підтверджена',
+ 'email_not_confirmed' => 'Адресу електронної скриньки не підтверджено',
'email_not_confirmed_text' => 'Ваша електронна адреса ще не підтверджена.',
'email_not_confirmed_click_link' => 'Будь-ласка, натисніть на посилання в електронному листі, яке було надіслано після реєстрації.',
'email_not_confirmed_resend' => 'Якщо ви не можете знайти електронний лист, ви можете повторно надіслати підтвердження електронною поштою, на формі нижче.',
'reset' => 'Скинути',
'remove' => 'Видалити',
'add' => 'Додати',
+ 'fullscreen' => 'Fullscreen',
// Sort Options
'sort_options' => 'Параметри сортування',
'grid_view' => 'Вигляд Сіткою',
'list_view' => 'Вигляд Списком',
'default' => 'За замовчуванням',
- 'breadcrumb' => 'Breadcrumb',
+ 'breadcrumb' => 'Навігація',
// Header
'profile_menu' => 'Меню профілю',
'pages_edit_draft' => 'Редагувати чернетку сторінки',
'pages_editing_draft' => 'Редагування чернетки',
'pages_editing_page' => 'Редагування сторінки',
- 'pages_edit_draft_save_at' => 'Чернетку зберегти в ',
+ 'pages_edit_draft_save_at' => 'Чернетка збережена о ',
'pages_edit_delete_draft' => 'Видалити чернетку',
'pages_edit_discard_draft' => 'Відхилити чернетку',
'pages_edit_set_changelog' => 'Встановити журнал змін',
'attachments_link_attached' => 'Посилання успішно додано до сторінки',
'templates' => 'Шаблони',
'templates_set_as_template' => 'Сторінка це шаблон',
- 'templates_explain_set_as_template' => 'You can set this page as a template so its contents be utilized when creating other pages. Other users will be able to use this template if they have view permissions for this page.',
+ 'templates_explain_set_as_template' => 'Ви можете встановити цю сторінку як шаблон, щоб її вміст використовувався під час створення інших сторінок. Інші користувачі зможуть користуватися цим шаблоном, якщо вони мають права перегляду для цієї сторінки.',
'templates_replace_content' => 'Замінити вміст сторінки',
'templates_append_content' => 'Додати до вмісту сторінки',
- 'templates_prepend_content' => 'Prepend to page content',
+ 'templates_prepend_content' => 'Додати на початок вмісту сторінки',
// Profile View
'profile_user_for_x' => 'Користувач вже :time',
'email_already_confirmed' => 'Електронна пошта вже підтверджена, спробуйте увійти.',
'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-доступ невдалий, з використання анонімного зв\'язку',
'ldap_fail_authed' => 'LDAP-доступ невдалий, використовуючи задані параметри dn та password',
'ldap_extension_not_installed' => 'Розширення PHP LDAP не встановлено',
'ldap_cannot_connect' => 'Неможливо підключитися до ldap-сервера, Помилка з\'єднання',
+ 'saml_already_logged_in' => 'Вже увійшли',
+ 'saml_user_not_registered' => 'Користувач «:name» не зареєстрований, а автоматична реєстрація вимкнена',
+ 'saml_no_email_address' => 'Не вдалося знайти електронну адресу для цього користувача у даних, наданих зовнішньою системою аутентифікації',
+ 'saml_invalid_response_id' => 'Запит із зовнішньої системи аутентифікації не розпізнається процесом, розпочатим цим додатком. Повернення назад після входу могла спричинити цю проблему.',
+ 'saml_fail_authed' => 'Вхід із використанням «:system» не вдався, система не здійснила успішну авторизацію',
'social_no_action_defined' => 'Жодних дій не визначено',
'social_login_bad_response' => "Помилка, отримана під час входу з :socialAccount помилка : \n:error",
'social_account_in_use' => 'Цей :socialAccount обліковий запис вже використовується, спробуйте ввійти з параметрами :socialAccount.',
'social_account_register_instructions' => 'Якщо у вас ще немає облікового запису, ви можете зареєструвати обліковий запис за допомогою параметра :socialAccount.',
'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. Переконайтеся, що він доступний для запису на сервер.',
'app_down' => ':appName зараз недоступний',
'back_soon' => 'Він повернеться найближчим часом.',
+ // API errors
+ 'api_no_authorization_found' => 'No authorization token found on the request',
+ 'api_bad_authorization_format' => 'An authorization token was found on the request but the format appeared incorrect',
+ 'api_user_token_not_found' => 'No matching API token was found for the provided authorization token',
+ 'api_incorrect_token_secret' => 'The secret provided for the given used API token is incorrect',
+ 'api_user_no_api_permission' => 'The owner of the used API token does not have permission to make API calls',
+ 'api_user_token_expired' => 'The authorization token used has expired',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
*/
return [
- 'password' => 'Ð\9fаÑ\80олÑ\96 повиннÑ\96 мÑ\96Ñ\81Ñ\82иÑ\82и пÑ\80инаймнÑ\96 Ñ\88Ñ\96Ñ\81Ñ\82Ñ\8c Ñ\81имволÑ\96в Ñ\96 вÑ\96дповÑ\96даÑ\82и пÑ\96дÑ\82веÑ\80дженнÑ\8e.',
+ 'password' => 'Ð\9fаÑ\80олÑ\8c повинен мÑ\96Ñ\81Ñ\82иÑ\82и не менÑ\88е воÑ\81Ñ\8cми Ñ\81имволÑ\96в Ñ\96 збÑ\96гаÑ\82иÑ\81Ñ\8c з пÑ\96дÑ\82веÑ\80дженнÑ\8fм.',
'user' => "Ми не можемо знайти користувача з цією адресою електронної пошти.",
'token' => 'Цей токен для скидання пароля недійсний.',
- 'sent' => 'Ð\9cи надÑ\96Ñ\81лали вам елекÑ\82Ñ\80онний лиÑ\81Ñ\82 Ñ\96з поÑ\81иланнÑ\8fм на скидання пароля!',
- 'reset' => 'Ваш пароль був скинутий!',
+ 'sent' => 'Ð\9cи надÑ\96Ñ\81лали Ð\92ам елекÑ\82Ñ\80онний лиÑ\81Ñ\82 Ñ\96з поÑ\81иланнÑ\8fм длÑ\8f скидання пароля!',
+ 'reset' => 'Ваш пароль скинуто!',
];
'app_editor_desc' => 'Виберіть, який редактор буде використовуватися всіма користувачами для редагування сторінок.',
'app_custom_html' => 'Користувацький вміст HTML-заголовку',
'app_custom_html_desc' => 'Будь-який доданий тут вміст буде вставлено в нижню частину розділу <head> кожної сторінки. Це зручно для перевизначення стилів, або додавання коду аналітики.',
- 'app_custom_html_disabled_notice' => 'Custom HTML head content is disabled on this settings page to ensure any breaking changes can be reverted.',
+ 'app_custom_html_disabled_notice' => 'На цій сторінці налаштувань відключений користувацький вміст заголовка HTML, щоб гарантувати, що будь-які невдалі зміни можна буде відновити.',
'app_logo' => 'Логотип програми',
'app_logo_desc' => 'Це зображення має бути висотою 43px. <br>Великі зображення будуть зменшені.',
'app_primary_color' => 'Основний колір програми',
'app_disable_comments_toggle' => 'Вимкнути коментарі',
'app_disable_comments_desc' => 'Вимкнути коментарі на всіх сторінках програми. Існуючі коментарі не відображаються.',
+ // Color settings
+ 'content_colors' => 'Кольори вмісту',
+ 'content_colors_desc' => 'Sets 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' => 'Колір полиці',
+ 'book_color' => 'Колір книги',
+ 'chapter_color' => 'Chapter Color',
+ 'page_color' => 'Колір сторінки',
+ 'page_draft_color' => 'Колір чернетки',
+
// Registration Settings
'reg_settings' => 'Реєстрація',
'reg_enable' => 'Дозволити реєстрацію',
'reg_enable_toggle' => 'Дозволити реєстрацію',
'reg_enable_desc' => 'При включенні реєстрації відвідувач зможе зареєструватися як користувач програми. Після реєстрації їм надається єдина роль користувача за замовчуванням.',
'reg_default_role' => 'Роль користувача за умовчанням після реєстрації',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
'reg_email_confirmation' => 'Підтвердження електронною поштою',
'reg_email_confirmation_toggle' => 'Необхідне підтвердження електронною поштою',
'reg_confirm_email_desc' => 'Якщо використовується обмеження домену, то підтвердження електронною поштою буде потрібно, а нижче значення буде проігноровано.',
'maint_image_cleanup_warning' => ':count потенційно невикористаних зображень було знайдено. Ви впевнені, що хочете видалити ці зображення?',
'maint_image_cleanup_success' => ':count потенційно невикористані зображення знайдено і видалено!',
'maint_image_cleanup_nothing_found' => 'Не знайдено невикористовуваних зображень, нічого не видалено!',
+ 'maint_send_test_email' => 'Надіслати тестове повідомлення',
+ 'maint_send_test_email_desc' => 'Надіслати тестового листа на адресу електронної пошти, що вказана у вашому профілі.',
+ 'maint_send_test_email_run' => 'Надіслати тестовий лист',
+ 'maint_send_test_email_success' => 'Лист відправлений на : адреса',
+ 'maint_send_test_email_mail_subject' => 'Перевірка електронної пошти',
+ 'maint_send_test_email_mail_greeting' => 'Доставляння електронної пошти працює!',
+ 'maint_send_test_email_mail_text' => 'Вітаємо! Оскільки ви отримали цього листа, поштова скринька налаштована правильно.',
// Role Settings
'roles' => 'Ролі',
'role_manage_roles' => 'Керування правами ролей та ролями',
'role_manage_entity_permissions' => 'Керування всіма правами на книги, розділи та сторінки',
'role_manage_own_entity_permissions' => 'Керування дозволами на власну книгу, розділ та сторінки',
- 'role_manage_page_templates' => 'Manage page templates',
+ 'role_manage_page_templates' => 'Управління шаблонами сторінок',
+ 'role_access_api' => 'Access system API',
'role_manage_settings' => 'Керування налаштуваннями програми',
'role_asset' => 'Дозволи',
'role_asset_desc' => 'Ці дозволи контролюють стандартні доступи всередині системи. Права на книги, розділи та сторінки перевизначать ці дозволи.',
'users_role_desc' => 'Виберіть, до яких ролей буде призначено цього користувача. Якщо користувачеві призначено декілька ролей, дозволи з цих ролей будуть складатись і вони отримуватимуть усі можливості призначених ролей.',
'users_password' => 'Пароль користувача',
'users_password_desc' => 'Встановіть пароль для входу. Він повинен містити принаймні 5 символів.',
- 'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
- 'users_send_invite_option' => 'Надіслати лист із запрошенням користувачу',
+ 'users_send_invite_text' => 'Ви можете надіслати цьому користувачеві лист із запрошенням, що дозволить йому встановити пароль власноруч, або ви можете встановити йому пароль самостійно.',
+ 'users_send_invite_option' => 'Надіслати листа із запрошенням користувачу',
'users_external_auth_id' => 'Зовнішній ID автентифікації',
- 'users_external_auth_id_desc' => 'Цей ID використовується для пошуку збігу цього користувача під час зв\'язку з LDAP.',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
'users_password_warning' => 'Тільки якщо ви хочете змінити свій пароль, заповніть поля нижче:',
'users_system_public' => 'Цей користувач представляє будь-яких гостьових користувачів, які відвідують ваш екземпляр. Його не можна використовувати для входу, але він призначається автоматично.',
'users_delete' => 'Видалити користувача',
'users_social_disconnect' => 'Від\'єднати обліковий запис',
'users_social_connected' => 'Обліковий запис :socialAccount успішно додано до вашого профілю.',
'users_social_disconnected' => 'Обліковий запис :socialAccount був успішно відключений від вашого профілю.',
+ 'users_api_tokens' => 'API Tokens',
+ 'users_api_tokens_none' => 'No API tokens have been created for this user',
+ 'users_api_tokens_create' => 'Create Token',
+ 'users_api_tokens_expires' => 'Expires',
+ 'users_api_tokens_docs' => 'API Documentation',
+
+ // API Tokens
+ 'user_api_token_create' => 'Create API Token',
+ 'user_api_token_name' => 'Name',
+ 'user_api_token_name_desc' => 'Give your token a readable name as a future reminder of its intended purpose.',
+ '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.',
+ 'user_api_token_secret' => 'Token Secret',
+ 'user_api_token_secret_desc' => 'This is a system generated secret for this token which will need to be provided in API requests. This will only be displayed this one time so copy this value to somewhere safe and secure.',
+ 'user_api_token_created' => 'Token Created :timeAgo',
+ 'user_api_token_updated' => 'Token Updated :timeAgo',
+ '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',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Dansk',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
return [
// Standard laravel validation lines
- 'accepted' => ':attribute повинен бути прийнятий.',
- 'active_url' => ':attribute не є дійсною URL-адресою.',
- 'after' => ':attribute повинно бути датою після :date.',
- 'alpha' => ':attribute може містити лише літери.',
- 'alpha_dash' => ':attribute може містити лише літери, цифри та дефіси.',
- 'alpha_num' => ':attribute може містити лише літери та цифри.',
- 'array' => ':attribute повинен бути масивом.',
- 'before' => ':attribute повинен бути датою до :date.',
+ 'accepted' => 'Ви повинні прийняти :attribute.',
+ 'active_url' => 'Поле :attribute не є правильним URL.',
+ 'after' => 'Поле :attribute має містити дату не раніше :date.',
+ 'alpha' => 'Поле :attribute має містити лише літери.',
+ 'alpha_dash' => 'Поле :attribute має містити лише літери, цифри, дефіси та підкреслення.',
+ 'alpha_num' => 'Поле :attribute має містити лише літери та цифри.',
+ 'array' => 'Поле :attribute має бути масивом.',
+ 'before' => 'Поле :attribute має містити дату не пізніше :date.',
'between' => [
- 'numeric' => ':attribute повинен бути між :min та :max.',
- 'file' => ':attribute повинен бути між :min та :max кілобайт.',
- 'string' => ':attribute повинен бути між :min та :max символів.',
- 'array' => ':attribute повинен бути між :min та :max елементів.',
+ 'numeric' => 'Поле :attribute має бути між :min та :max.',
+ 'file' => 'Розмір файлу в полі :attribute має бути не менше :min та не більше :max кілобайт.',
+ 'string' => 'Текст в полі :attribute має бути не менше :min та не більше :max символів.',
+ 'array' => 'Поле :attribute має містити від :min до :max елементів.',
],
- 'boolean' => ':attribute поле має бути true або false.',
- 'confirmed' => ':attribute підтвердження не збігається.',
- 'date' => ':attribute не є дійсною датою.',
- 'date_format' => ':attribute не відповідає формату :format.',
- 'different' => ':attribute та :other повинні бути різними.',
- 'digits' => ':attribute повинні бути :digits цифрами.',
- 'digits_between' => ':attribute має бути між :min та :max цифр.',
- 'email' => ':attribute повинна бути дійсною електронною адресою.',
- 'ends_with' => 'The :attribute must end with one of the following: :values',
- 'filled' => ':attribute поле обов\'язкове.',
+ 'boolean' => 'Поле :attribute повинне містити true чи false.',
+ 'confirmed' => 'Поле :attribute не збігається з підтвердженням.',
+ 'date' => 'Поле :attribute не є датою.',
+ 'date_format' => 'Поле :attribute не відповідає формату :format.',
+ 'different' => 'Поля :attribute та :other повинні бути різними.',
+ 'digits' => 'Довжина цифрового поля :attribute повинна дорівнювати :digits.',
+ 'digits_between' => 'Довжина цифрового поля :attribute повинна бути від :min до :max.',
+ 'email' => 'Поле :attribute повинне містити коректну електронну адресу.',
+ 'ends_with' => 'Поле :attribute має закінчуватися одним з наступних значень: :values',
+ 'filled' => 'Поле :attribute є обов\'язковим для заповнення.',
'gt' => [
- 'numeric' => 'The :attribute must be greater than :value.',
- 'file' => ':attribute має бути більшим ніж :value кілобайт.',
- 'string' => 'The :attribute must be greater than :value characters.',
- 'array' => 'The :attribute must have more than :value items.',
+ 'numeric' => 'Поле :attribute має бути більше ніж :value.',
+ 'file' => 'Поле :attribute має бути більше ніж :value кілобайт.',
+ 'string' => 'Поле :attribute має бути більше ніж :value символів.',
+ 'array' => 'Поле :attribute має містити більше ніж :value елементів.',
],
'gte' => [
- 'numeric' => 'The :attribute must be greater than or equal :value.',
- 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
- 'string' => 'The :attribute must be greater than or equal :value characters.',
- 'array' => 'The :attribute must have :value items or more.',
+ 'numeric' => 'Поле :attribute має дорівнювати чи бути більше ніж :value.',
+ 'file' => 'Поле :attribute має дорівнювати чи бути більше ніж :value кілобайт.',
+ 'string' => 'Поле :attribute має дорівнювати чи бути більше ніж :value символів.',
+ 'array' => 'Поле :attribute має містити :value чи більше елементів.',
],
- 'exists' => 'Ð\92ибÑ\80аний :attribute недÑ\96йÑ\81ний.',
- 'image' => ':attribute повинен бути зображенням.',
- 'image_extension' => ':attribute повинен мати дійсне та підтримуване розширення зображення.',
- 'in' => 'Ð\92ибÑ\80аний :attribute недÑ\96йÑ\81ний.',
- 'integer' => ':attribute повинен бути цілим числом.',
- 'ip' => ':attribute повинна бути дійсною IP-адресою.',
- 'ipv4' => 'The :attribute must be a valid IPv4 address.',
- 'ipv6' => 'The :attribute must be a valid IPv6 address.',
- 'json' => 'The :attribute must be a valid JSON string.',
+ 'exists' => 'Ð\92ибÑ\80ане длÑ\8f :attribute знаÑ\87еннÑ\8f не коÑ\80екÑ\82не.',
+ 'image' => 'Поле :attribute має містити зображення.',
+ 'image_extension' => 'Поле :attribute має містити дійсне та підтримуване розширення зображення.',
+ 'in' => 'Ð\92ибÑ\80ане длÑ\8f :attribute знаÑ\87еннÑ\8f не коÑ\80екÑ\82не.',
+ 'integer' => 'Поле :attribute має містити ціле число.',
+ 'ip' => 'Поле :attribute має містити IP адресу.',
+ 'ipv4' => 'Поле :attribute має містити IPv4 адресу.',
+ 'ipv6' => 'Поле :attribute має містити IPv6 адресу.',
+ 'json' => 'Дані поля :attribute мають бути в форматі JSON.',
'lt' => [
- 'numeric' => 'The :attribute must be less than :value.',
- 'file' => 'The :attribute must be less than :value kilobytes.',
- 'string' => 'The :attribute must be less than :value characters.',
- 'array' => 'The :attribute must have less than :value items.',
+ 'numeric' => 'Поле :attribute має бути менше ніж :value.',
+ 'file' => 'Поле :attribute має бути менше ніж :value кілобайт.',
+ 'string' => 'Поле :attribute має бути менше ніж :value символів.',
+ 'array' => 'Поле :attribute має містити менше ніж :value елементів.',
],
'lte' => [
- 'numeric' => 'The :attribute must be less than or equal :value.',
- 'file' => 'The :attribute must be less than or equal :value kilobytes.',
- 'string' => 'The :attribute must be less than or equal :value characters.',
- 'array' => 'The :attribute must not have more than :value items.',
+ 'numeric' => 'Поле :attribute має дорівнювати чи бути менше ніж :value.',
+ 'file' => 'Поле :attribute має дорівнювати чи бути менше ніж :value кілобайт.',
+ 'string' => 'Поле :attribute має дорівнювати чи бути менше ніж :value символів.',
+ 'array' => 'Поле :attribute має містити не більше ніж :value елементів.',
],
'max' => [
- 'numeric' => ':attribute не може бути більшим за :max.',
- 'file' => ':attribute не може бути більшим за :max кілобайт.',
- 'string' => ':attribute не може бути більшим за :max символів.',
- 'array' => ':attribute не може бути більше ніж :max елементів.',
+ 'numeric' => 'Поле :attribute має бути не більше :max.',
+ 'file' => 'Файл в полі :attribute має бути не більше :max кілобайт.',
+ 'string' => 'Текст в полі :attribute повинен мати довжину не більшу за :max.',
+ 'array' => 'Поле :attribute повинне містити не більше :max елементів.',
],
- 'mimes' => ':attribute повинен бути файлом типу: :values.',
+ 'mimes' => 'Поле :attribute повинне містити файл одного з типів: :values.',
'min' => [
- 'numeric' => ':attribute повинен бути принаймні :min.',
- 'file' => ':attribute повинен бути принаймні :min кілобайт.',
- 'string' => ':attribute повинен бути принаймні :min символів.',
- 'array' => ':attribute повинен містити принаймні :min елементів.',
+ 'numeric' => 'Поле :attribute повинне бути не менше :min.',
+ 'file' => 'Розмір файлу в полі :attribute має бути не меншим :min кілобайт.',
+ 'string' => 'Текст в полі :attribute повинен містити не менше :min символів.',
+ 'array' => 'Поле :attribute повинне містити не менше :min елементів.',
],
- 'no_double_extension' => ':attribute повинен мати тільки одне розширення файлу.',
- 'not_in' => 'Ð\92ибÑ\80аний :attribute недÑ\96йÑ\81ний.',
- 'not_regex' => 'The :attribute format is invalid.',
- 'numeric' => ':attribute повинен бути числом.',
- 'regex' => ':attribute формат недійсний.',
- 'required' => ':attribute поле обов\'язкове.',
- 'required_if' => ':attribute поле бов\'язкове, коли :other з значенням :value.',
- 'required_with' => ':attribute поле бов\'язкове, коли :values встановлено.',
- 'required_with_all' => ':attribute поле бов\'язкове, коли :values встановлені.',
- 'required_without' => ':attribute поле бов\'язкове, коли :values не встановлені.',
- 'required_without_all' => ':attribute поле бов\'язкове, коли жодне з :values не встановлене.',
- 'same' => ':attribute та :other мають збігатись.',
+ 'no_double_extension' => 'Поле :attribute повинне містити тільки одне розширення файлу.',
+ 'not_in' => 'Ð\92ибÑ\80ане длÑ\8f :attribute знаÑ\87еннÑ\8f не коÑ\80екÑ\82не.',
+ 'not_regex' => 'Формат поля :attribute не вірний.',
+ 'numeric' => 'Поле :attribute повинно містити число.',
+ 'regex' => 'Поле :attribute має хибний формат.',
+ 'required' => 'Поле :attribute є обов\'язковим для заповнення.',
+ 'required_if' => 'Поле :attribute є обов\'язковим для заповнення, коли :other є рівним :value.',
+ 'required_with' => 'Поле :attribute є обов\'язковим для заповнення, коли :values вказано.',
+ 'required_with_all' => 'Поле :attribute є обов\'язковим для заповнення, коли :values вказано.',
+ 'required_without' => 'Поле :attribute є обов\'язковим для заповнення, коли :values не вказано.',
+ 'required_without_all' => 'Поле :attribute є обов\'язковим для заповнення, коли :values не вказано.',
+ 'same' => 'Поля :attribute та :other мають збігатися.',
'size' => [
- 'numeric' => ':attribute має бути :size.',
- 'file' => ':attribute має бути :size кілобайт.',
- 'string' => ':attribute має бути :size символів.',
- 'array' => ':attribute має містити :size елементів.',
+ 'numeric' => 'Поле :attribute має бути довжини :size.',
+ 'file' => 'Файл в полі :attribute має бути розміром :size кілобайт.',
+ 'string' => 'Текст в полі :attribute повинен містити :size символів.',
+ 'array' => 'Поле :attribute повинне містити :size елементів.',
],
- 'string' => ':attribute повинен бути рядком.',
- 'timezone' => ':attribute повинен бути дійсною зоною.',
- 'unique' => ':attribute вже є.',
- 'url' => ':attribute формат недійсний.',
+ 'string' => 'Поле :attribute повинне містити текст.',
+ 'timezone' => 'Поле :attribute повинне містити коректну часову зону.',
+ 'unique' => 'Вказане значення поля :attribute вже існує.',
+ 'url' => 'Формат поля :attribute неправильний.',
'uploaded' => 'Не вдалося завантажити файл. Сервер може не приймати файли такого розміру.',
// Custom validation lines
--- /dev/null
+<?php
+/**
+ * Activity text strings.
+ * Is used for all the text within activity logs & notifications.
+ */
+return [
+
+ // Pages
+ 'page_create' => 'đã tạo trang',
+ 'page_create_notification' => 'Trang đã được tạo thành công',
+ 'page_update' => 'đã cập nhật trang',
+ 'page_update_notification' => 'Trang đã được cập nhật thành công',
+ 'page_delete' => 'đã xóa trang',
+ 'page_delete_notification' => 'Trang đã được xóa thành công',
+ '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',
+
+ // Chapters
+ 'chapter_create' => 'đã tạo chương',
+ 'chapter_create_notification' => 'Chương đã được tạo thành công',
+ 'chapter_update' => 'đã cập nhật chương',
+ 'chapter_update_notification' => 'Chương đã được cập nhật thành công',
+ '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',
+
+ // Books
+ 'book_create' => 'đã tạo sách',
+ 'book_create_notification' => 'Sách đã được tạo thành công',
+ 'book_update' => 'đã cập nhật sách',
+ 'book_update_notification' => 'Sách đã được cập nhật thành công',
+ 'book_delete' => 'đã xóa sách',
+ 'book_delete_notification' => 'Sách đã được xóa thành công',
+ 'book_sort' => 'đã sắp xếp sách',
+ 'book_sort_notification' => 'Sách đã được sắp xếp lại thành công',
+
+ // Bookshelves
+ 'bookshelf_create' => 'đã tạo giá sách',
+ 'bookshelf_create_notification' => 'Giá sách đã được tạo thành công',
+ 'bookshelf_update' => 'cập nhật giá sách',
+ 'bookshelf_update_notification' => 'Giá sách đã tạo thành công',
+ 'bookshelf_delete' => 'đã xóa giá sách',
+ 'bookshelf_delete_notification' => 'Giá sách đã được xóa thành công',
+
+ // Other
+ 'commented_on' => 'đã bình luận về',
+];
--- /dev/null
+<?php
+/**
+ * Authentication Language Lines
+ * The following language lines are used during authentication for various
+ * messages that we need to display to the user.
+ */
+return [
+
+ 'failed' => 'Thông tin đăng nhập này không khớp với dữ liệu của chúng tôi.',
+ 'throttle' => 'Quá nhiều lần đăng nhập sai. Vui lòng thử lại sau :seconds giây.',
+
+ // Login & Register
+ 'sign_up' => 'Đăng ký',
+ 'log_in' => 'Đăng nhập',
+ 'log_in_with' => 'Đăng nhập với :socialDriver',
+ 'sign_up_with' => 'Đăng kí với :socialDriver',
+ 'logout' => 'Đăng xuất',
+
+ 'name' => 'Tên',
+ 'username' => 'Tên đăng nhập',
+ 'email' => 'Email',
+ 'password' => 'Mật khẩu',
+ 'password_confirm' => 'Xác nhận mật khẩu',
+ 'password_hint' => 'Cần tối thiểu 7 kí tự',
+ 'forgot_password' => 'Quên Mật khẩu?',
+ 'remember_me' => 'Ghi nhớ đăng nhập',
+ 'ldap_email_hint' => 'Vui lòng điền một địa chỉ email để sử dụng tài khoản này.',
+ 'create_account' => 'Tạo Tài khoản',
+ 'already_have_account' => 'Bạn đã có tài khoản?',
+ 'dont_have_account' => 'Bạn không có tài khoản?',
+ 'social_login' => 'Đăng nhập bằng MXH',
+ 'social_registration' => 'Đăng kí bằng MXH',
+ 'social_registration_text' => 'Đăng kí và đăng nhập bằng dịch vụ khác.',
+
+ 'register_thanks' => 'Cảm ơn bạn đã đăng ký!',
+ 'register_confirm' => 'Vui lòng kiểm tra email và bấm vào nút xác nhận để truy cập :appName.',
+ 'registrations_disabled' => 'Việc đăng kí đang bị tắt',
+ 'registration_email_domain_invalid' => 'Tên miền của email không có quyền truy cập tới ứng dụng này',
+ 'register_success' => 'Cảm ơn bạn đã đăng kí! Bạn đã được xác nhận và đăng nhập.',
+
+
+ // Password Reset
+ 'reset_password' => 'Đặt lại mật khẩu',
+ 'reset_password_send_instructions' => 'Nhập email vào ô dưới đây và bạn sẽ nhận được một email với liên kết để đặt lại mật khẩu.',
+ 'reset_password_send_button' => 'Gửi liên kết đặt lại mật khẩu',
+ 'reset_password_sent_success' => 'Một liên kết đặt lại mật khẩu đã được gửi tới :email.',
+ 'reset_password_success' => 'Mật khẩu đã được đặt lại thành công.',
+ 'email_reset_subject' => 'Đặt lại mật khẩu của :appName',
+ 'email_reset_text' => 'Bạn nhận được email này bởi vì chúng tôi nhận được một yêu cầu đặt lại mật khẩu cho tài khoản của bạn.',
+ 'email_reset_not_requested' => 'Nếu bạn không yêu cầu đặt lại mật khẩu, không cần có bất cứ hành động nào khác.',
+
+
+ // Email Confirmation
+ 'email_confirm_subject' => 'Xác nhận email trên :appName',
+ 'email_confirm_greeting' => 'Cảm ơn bạn đã tham gia :appName!',
+ 'email_confirm_text' => 'Xin hãy xác nhận địa chỉa email bằng cách bấm vào nút dưới đây:',
+ 'email_confirm_action' => 'Xác nhận Email',
+ 'email_confirm_send_error' => 'Email xác nhận cần gửi nhưng hệ thống đã không thể gửi được email. Liên hệ với quản trị viên để chắc chắn email được thiết lập đúng.',
+ 'email_confirm_success' => 'Email của bạn đã được xác nhận!',
+ 'email_confirm_resent' => 'Email xác nhận đã được gửi lại, Vui lòng kiểm tra hộp thư.',
+
+ 'email_not_confirmed' => 'Địa chỉ email chưa được xác nhận',
+ 'email_not_confirmed_text' => 'Địa chỉ email của bạn hiện vẫn chưa được xác nhận.',
+ 'email_not_confirmed_click_link' => 'Vui lòng bấm vào liên kết trong mail được gửi trong thời gian ngắn ngay sau khi bạn đăng kí.',
+ 'email_not_confirmed_resend' => 'Nếu bạn không tìm thấy email bạn có thể yêu cầu gửi lại email xác nhận bằng cách gửi mẫu dưới đây.',
+ 'email_not_confirmed_resend_button' => 'Gửi lại email xác nhận',
+
+ // User Invite
+ 'user_invite_email_subject' => 'Bạn được mời tham gia :appName!',
+ 'user_invite_email_greeting' => 'Một tài khoản đã được tạo dành cho bạn trên :appName.',
+ 'user_invite_email_text' => 'Bấm vào nút dưới đây để đặt lại mật khẩu tài khoản và lấy quyền truy cập:',
+ 'user_invite_email_action' => 'Đặt mật khẩu tài khoản',
+ 'user_invite_page_welcome' => 'Chào mừng đến với :appName!',
+ 'user_invite_page_text' => 'Để hoàn tất tài khoản và lấy quyền truy cập bạn cần đặt mật khẩu để sử dụng cho các lần đăng nhập sắp tới tại :appName.',
+ 'user_invite_page_confirm_button' => 'Xác nhận Mật khẩu',
+ 'user_invite_success' => 'Mật khẩu đã được thiết lập, bạn có quyền truy cập đến :appName!'
+];
\ No newline at end of file
--- /dev/null
+<?php
+/**
+ * Common elements found throughout many areas of BookStack.
+ */
+return [
+
+ // Buttons
+ 'cancel' => 'Huỷ',
+ 'confirm' => 'Xác nhận',
+ 'back' => 'Quay lại',
+ 'save' => 'Lưu',
+ 'continue' => 'Tiếp tục',
+ 'select' => 'Chọn',
+ 'toggle_all' => 'Bật/tắt tất cả',
+ 'more' => 'Thêm',
+
+ // Form Labels
+ 'name' => 'Tên',
+ 'description' => 'Mô tả',
+ 'role' => 'Quyền',
+ 'cover_image' => 'Ảnh bìa',
+ 'cover_image_description' => 'Ảnh nên có kích thước 440x250px.',
+
+ // Actions
+ 'actions' => 'Hành động',
+ 'view' => 'Xem',
+ 'view_all' => 'Xem tất cả',
+ 'create' => 'Tạo',
+ 'update' => 'Cập nhật',
+ 'edit' => 'Sửa',
+ 'sort' => 'Sắp xếp',
+ 'move' => 'Di chuyển',
+ 'copy' => 'Sao chép',
+ 'reply' => 'Trả lời',
+ 'delete' => 'Xóa',
+ 'search' => 'Tìm kiếm',
+ 'search_clear' => 'Xoá tìm kiếm',
+ 'reset' => 'Thiết lập lại',
+ 'remove' => 'Xóa bỏ',
+ 'add' => 'Thêm',
+ 'fullscreen' => 'Toàn màn hình',
+
+ // Sort Options
+ 'sort_options' => 'Tùy Chọn Sắp Xếp',
+ 'sort_direction_toggle' => 'Đảo chiều sắp xếp',
+ 'sort_ascending' => 'Sắp xếp tăng dần',
+ 'sort_descending' => 'Sắp xếp giảm dần',
+ 'sort_name' => 'Tên',
+ 'sort_created_at' => 'Ngày Tạo',
+ 'sort_updated_at' => 'Ngày cập nhật',
+
+ // Misc
+ 'deleted_user' => 'Người dùng bị xóa',
+ 'no_activity' => 'Không có hoạt động nào',
+ 'no_items' => 'Không có mục nào khả dụng',
+ 'back_to_top' => 'Lên đầu trang',
+ 'toggle_details' => 'Bật/tắt chi tiết',
+ 'toggle_thumbnails' => 'Bật/tắt ảnh ảnh nhỏ',
+ 'details' => 'Chi tiết',
+ 'grid_view' => 'Hiển thị dạng lưới',
+ 'list_view' => 'Hiển thị dạng danh sách',
+ 'default' => 'Mặc định',
+ 'breadcrumb' => 'Đường dẫn liên kết',
+
+ // Header
+ 'profile_menu' => 'Menu Hồ sơ',
+ 'view_profile' => 'Xem Hồ sơ',
+ 'edit_profile' => 'Sửa Hồ sơ',
+
+ // Layout tabs
+ 'tab_info' => 'Thông tin',
+ 'tab_content' => 'Nội dung',
+
+ // Email Content
+ 'email_action_help' => 'Nếu bạn đang có vấn đề trong việc bấm nút ":actionText", sao chép và dán địa chỉ URL dưới đây vào trình duyệt web:',
+ 'email_rights' => 'Bản quyền đã được bảo hộ',
+];
--- /dev/null
+<?php
+/**
+ * Text used in custom JavaScript driven components.
+ */
+return [
+
+ // Image Manager
+ 'image_select' => 'Chọn Ảnh',
+ 'image_all' => 'Tất cả',
+ 'image_all_title' => 'Xem tất cả các ảnh',
+ 'image_book_title' => 'Xem các ảnh đã được tải lên sách này',
+ 'image_page_title' => 'Xem các ảnh đã được tải lên trang này',
+ 'image_search_hint' => 'Tìm kiếm ảnh bằng tên',
+ 'image_uploaded' => 'Đã tải lên :uploadedDate',
+ '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.',
+ 'image_delete_confirm' => 'Bấm nút xóa lần nữa để xác nhận bạn muốn xóa ảnh này.',
+ 'image_select_image' => 'Chọn Ảnh',
+ 'image_dropzone' => 'Thả các ảnh hoặc bấm vào đây để tải lên',
+ 'images_deleted' => 'Các ảnh đã được xóa',
+ 'image_preview' => 'Xem trước Ảnh',
+ '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_upload_remove' => 'Xóa bỏ',
+
+ // Code Editor
+ 'code_editor' => 'Sửa Mã',
+ 'code_language' => 'Ngôn ngữ Mã',
+ 'code_content' => 'Nội dung Mã',
+ 'code_save' => 'Lưu Mã',
+];
--- /dev/null
+<?php
+/**
+ * Text used for 'Entities' (Document Structure Elements) such as
+ * Books, Shelves, Chapters & Pages
+ */
+return [
+
+ // Shared
+ 'recently_created' => 'Được tạo gần đây',
+ 'recently_created_pages' => 'Trang được tạo gần đây',
+ 'recently_updated_pages' => 'Trang được cập nhật gần đây',
+ 'recently_created_chapters' => 'Chương được tạo gần đây',
+ 'recently_created_books' => 'Sách được tạo gần đây',
+ 'recently_created_shelves' => 'Giá sách được tạo gần đây',
+ 'recently_update' => 'Được cập nhật gần đây',
+ 'recently_viewed' => 'Được xem gần đây',
+ 'recent_activity' => 'Hoạt động gần đây',
+ 'create_now' => 'Tạo ngay',
+ 'revisions' => 'Phiên bản',
+ 'meta_revision' => 'Phiên bản #:revisionCount',
+ 'meta_created' => 'Được tạo :timeLength',
+ 'meta_created_name' => 'Được tạo :timeLength bởi :user',
+ 'meta_updated' => 'Được cập nhật :timeLength',
+ 'meta_updated_name' => 'Được cập nhật :timeLength bởi :user',
+ 'entity_select' => 'Chọn thực thể',
+ 'images' => 'Ảnh',
+ 'my_recent_drafts' => 'Bản nháp gần đây của tôi',
+ 'my_recently_viewed' => 'Xem gần đây',
+ 'no_pages_viewed' => 'Bạn chưa xem bất cứ trang nào',
+ 'no_pages_recently_created' => 'Không có trang nào được tạo gần đây',
+ 'no_pages_recently_updated' => 'Không có trang nào được cập nhật gần đây',
+ 'export' => 'Kết xuất',
+ 'export_html' => 'Đang chứa tệp tin Web',
+ 'export_pdf' => 'Tệp PDF',
+ 'export_text' => 'Tệp văn bản thuần túy',
+
+ // Permissions and restrictions
+ 'permissions' => 'Quyền',
+ 'permissions_intro' => 'Một khi được bật, các quyền này sẽ được ưu tiên trên hết tất cả các quyền hạn khác.',
+ 'permissions_enable' => 'Bật quyền hạn tùy chỉnh',
+ 'permissions_save' => 'Lưu quyền hạn',
+
+ // Search
+ 'search_results' => 'Kết quả Tìm kiếm',
+ 'search_total_results_found' => 'Tìm thấy :count kết quả|:count tổng kết quả',
+ 'search_clear' => 'Xoá tìm kiếm',
+ 'search_no_pages' => 'Không trang nào khớp với tìm kiếm này',
+ 'search_for_term' => 'Tìm kiếm cho :term',
+ 'search_more' => 'Thêm kết quả',
+ 'search_filters' => 'Bộ lọc Tìm kiếm',
+ 'search_content_type' => 'Kiểu Nội dung',
+ 'search_exact_matches' => 'Hoàn toàn trùng khớp',
+ 'search_tags' => 'Tìm kiếm Tag',
+ 'search_options' => 'Tuỳ chọn',
+ 'search_viewed_by_me' => 'Được xem bởi tôi',
+ 'search_not_viewed_by_me' => 'Không được xem bởi tôi',
+ 'search_permissions_set' => 'Phân quyền',
+ 'search_created_by_me' => 'Được tạo bởi tôi',
+ 'search_updated_by_me' => 'Được cập nhật bởi tôi',
+ 'search_date_options' => 'Tùy chọn ngày',
+ 'search_updated_before' => 'Đã được cập nhật trước đó',
+ 'search_updated_after' => 'Đã được cập nhật sau',
+ 'search_created_before' => 'Đã được tạo trước',
+ 'search_created_after' => 'Đã được tạo sau',
+ 'search_set_date' => 'Đặt ngày',
+ 'search_update' => 'Cập nhật tìm kiếm',
+
+ // Shelves
+ 'shelf' => 'Giá',
+ 'shelves' => 'Giá',
+ 'x_shelves' => ':count Giá |:count Giá',
+ 'shelves_long' => 'Giá sách',
+ 'shelves_empty' => 'Không có giá nào được tạo',
+ 'shelves_create' => 'Tạo Giá mới',
+ 'shelves_popular' => 'Các Giá phổ biến',
+ 'shelves_new' => 'Các Giá mới',
+ 'shelves_new_action' => 'Giá mới',
+ 'shelves_popular_empty' => 'Các giá phổ biến sẽ xuất hiện ở đây.',
+ 'shelves_new_empty' => 'Các Giá được tạo gần đây sẽ xuất hiện ở đây.',
+ 'shelves_save' => 'Lưu Giá',
+ 'shelves_books' => 'Sách trên Giá này',
+ 'shelves_add_books' => 'Thêm sách vào Giá này',
+ 'shelves_drag_books' => 'Kéo sách vào đây để thêm vào giá',
+ 'shelves_empty_contents' => 'Giá này không có sách nào',
+ 'shelves_edit_and_assign' => 'Chỉnh sửa kệ để gán sách',
+ 'shelves_edit_named' => 'Chỉnh sửa kệ sách :name',
+ 'shelves_edit' => 'Chỉnh sửa kệ sách',
+ 'shelves_delete' => 'Xóa kệ sách',
+ 'shelves_delete_named' => 'Xóa kệ sách :name',
+ 'shelves_delete_explain' => "Chức năng này sẽ xóa kệ sách với tên ':name'. Các sách chứa trong nó sẽ không bị xóa.",
+ 'shelves_delete_confirmation' => 'Bạn có chắc chắn muốn xóa kệ sách này?',
+ 'shelves_permissions' => 'Các quyền đối với kệ sách',
+ 'shelves_permissions_updated' => 'Các quyền với kệ sách đã được cập nhật',
+ 'shelves_permissions_active' => 'Đang bật các quyền hạn từ Kệ sách',
+ 'shelves_copy_permissions_to_books' => 'Sao chép các quyền cho sách',
+ 'shelves_copy_permissions' => 'Sao chép các quyền',
+ 'shelves_copy_permissions_explain' => 'Điều này sẽ áp dụng các cài đặt quyền của giá sách hiện tại với tất cả các cuốn sách bên trong. Trước khi kích hoạt, đảm bảo bất cứ thay đổi liên quan đến quyền của giá sách này đã được lưu.',
+ 'shelves_copy_permission_success' => 'Các quyền của giá sách đã được sao chép tới :count quyển sách',
+
+ // Books
+ 'book' => 'Sách',
+ 'books' => 'Tất cả sách',
+ 'x_books' => ':count Sách|:count Tất cả sách',
+ 'books_empty' => 'Không có cuốn sách nào được tạo',
+ 'books_popular' => 'Những cuốn sách phổ biến',
+ 'books_recent' => 'Những cuốn sách gần đây',
+ 'books_new' => 'Những cuốn sách mới',
+ 'books_new_action' => 'Sách mới',
+ 'books_popular_empty' => 'Những cuốn sách phổ biến nhất sẽ xuất hiện ở đây.',
+ 'books_new_empty' => 'Những cuốn sách tạo gần đây sẽ được xuất hiện ở đây.',
+ 'books_create' => 'Tạo cuốn sách mới',
+ 'books_delete' => 'Xóa sách',
+ 'books_delete_named' => 'Xóa sách :bookName',
+ 'books_delete_explain' => 'Điều này sẽ xóa cuốn sách với tên \':bookName\'. Tất cả các trang và các chương sẽ bị xóa.',
+ 'books_delete_confirmation' => 'Bạn có chắc chắn muốn xóa cuốn sách này?',
+ 'books_edit' => 'Sửa sách',
+ 'books_edit_named' => 'Sửa sách :bookName',
+ 'books_form_book_name' => 'Tên sách',
+ 'books_save' => 'Lưu sách',
+ 'books_permissions' => 'Các quyền của cuốn sách',
+ 'books_permissions_updated' => 'Các quyền của cuốn sách đã được cập nhật',
+ 'books_empty_contents' => 'Không có trang hay chương nào được tạo cho cuốn sách này.',
+ 'books_empty_create_page' => 'Tao một trang mới',
+ 'books_empty_sort_current_book' => 'Sắp xếp cuốn sách này',
+ 'books_empty_add_chapter' => 'Thêm một chương mới',
+ 'books_permissions_active' => 'Đang bật các quyền hạn từ Sách',
+ 'books_search_this' => 'Tìm cuốn sách này',
+ 'books_navigation' => 'Điều hướng cuốn sách',
+ 'books_sort' => 'Sắp xếp nội dung cuốn sách',
+ 'books_sort_named' => 'Sắp xếp sách :bookName',
+ 'books_sort_name' => 'Sắp xếp theo tên',
+ 'books_sort_created' => 'Sắp xếp theo ngày tạo',
+ 'books_sort_updated' => 'Sắp xếp theo ngày cập nhật',
+ 'books_sort_chapters_first' => 'Các Chương đầu',
+ 'books_sort_chapters_last' => 'Các Chương cuối',
+ 'books_sort_show_other' => 'Hiển thị các Sách khác',
+ 'books_sort_save' => 'Lưu thứ tự mới',
+
+ // Chapters
+ 'chapter' => 'Chương',
+ 'chapters' => 'Các chương',
+ 'x_chapters' => ':count Chương|:count Chương',
+ 'chapters_popular' => 'Các Chương phổ biến',
+ 'chapters_new' => 'Chương mới',
+ 'chapters_create' => 'Tạo Chương mới',
+ 'chapters_delete' => 'Xóa Chương',
+ 'chapters_delete_named' => 'Xóa Chương :chapterName',
+ 'chapters_delete_explain' => 'Chức năng này sẽ xóa chương với tên \':chapterName\'. Tất cả các trang sẽ bị loại bỏ và thêm trực tiếp vào sách chứa nó.',
+ 'chapters_delete_confirm' => 'Bạn có chắc chắn muốn xóa chương này?',
+ 'chapters_edit' => 'Sửa Chương',
+ 'chapters_edit_named' => 'Sửa chương :chapterName',
+ '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_permissions' => 'Quyền hạn Chương',
+ 'chapters_empty' => 'Không có trang nào hiện có trong chương này.',
+ 'chapters_permissions_active' => 'Đang bật các quyền hạn từ Chương',
+ 'chapters_permissions_success' => 'Quyền hạn Chương được cập nhật',
+ 'chapters_search_this' => 'Tìm kiếm trong Chương này',
+
+ // Pages
+ 'page' => 'Trang',
+ 'pages' => 'Các trang',
+ 'x_pages' => ':count Trang|:count Trang',
+ 'pages_popular' => 'Các Trang phổ biến',
+ 'pages_new' => 'Trang Mới',
+ 'pages_attachments' => 'Các đính kèm',
+ 'pages_navigation' => 'Điều hướng Trang',
+ 'pages_delete' => 'Xóa Trang',
+ 'pages_delete_named' => 'Xóa Trang :pageName',
+ 'pages_delete_draft_named' => 'Xóa Trang Nháp :pageName',
+ 'pages_delete_draft' => 'Xóa Trang Nháp',
+ 'pages_delete_success' => 'Đã xóa Trang',
+ 'pages_delete_draft_success' => 'Đã xóa trang Nháp',
+ 'pages_delete_confirm' => 'Bạn có chắc chắn muốn xóa trang này?',
+ 'pages_delete_draft_confirm' => 'Bạn có chắc chắn muốn xóa trang nháp này?',
+ 'pages_editing_named' => 'Đang chỉnh sửa Trang :pageName',
+ 'pages_edit_draft_options' => 'Tùy chọn bản nháp',
+ 'pages_edit_save_draft' => 'Lưu Nháp',
+ 'pages_edit_draft' => 'Sửa trang nháp',
+ 'pages_editing_draft' => 'Đang chỉnh sửa Nháp',
+ '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_discard_draft' => 'Hủy bỏ Bản nháp',
+ 'pages_edit_set_changelog' => 'Đặt Changelog',
+ 'pages_edit_enter_changelog_desc' => 'Viết mô tả ngắn gọn cho các thay đổi mà bạn tạo',
+ 'pages_edit_enter_changelog' => 'Viết Changelog',
+ 'pages_save' => 'Lưu Trang',
+ 'pages_title' => 'Tiêu đề Trang',
+ 'pages_name' => 'Tên Trang',
+ 'pages_md_editor' => 'Trình chỉnh sửa',
+ 'pages_md_preview' => 'Xem trước',
+ 'pages_md_insert_image' => 'Chèn hình ảnh',
+ 'pages_md_insert_link' => 'Chèn liên kết thực thể',
+ 'pages_md_insert_drawing' => 'Chèn bản vẽ',
+ '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',
+ 'pages_permissions' => 'Quyền hạn Trang',
+ 'pages_permissions_success' => 'Quyền hạn Trang được cập nhật',
+ 'pages_revision' => 'Phiên bản',
+ 'pages_revisions' => 'Phiên bản Trang',
+ 'pages_revisions_named' => 'Phiên bản Trang cho :pageName',
+ 'pages_revision_named' => 'Phiên bản Trang cho :pageName',
+ 'pages_revisions_created_by' => 'Tạo bởi',
+ 'pages_revisions_date' => 'Ngày của Phiên bản',
+ 'pages_revisions_number' => '#',
+ 'pages_revisions_numbered' => 'Phiên bản #:id',
+ 'pages_revisions_numbered_changes' => 'Các thay đổi của phiên bản #:id',
+ 'pages_revisions_changelog' => 'Nhật ký thay đổi',
+ 'pages_revisions_changes' => 'Các thay đổi',
+ 'pages_revisions_current' => 'Phiên bản hiện tại',
+ 'pages_revisions_preview' => 'Xem trước',
+ '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_permissions_active' => 'Đang bật các quyền hạn từ Trang',
+ 'pages_initial_revision' => 'Đăng bài mở đầu',
+ 'pages_initial_name' => 'Trang mới',
+ 'pages_editing_draft_notification' => 'Bạn hiện đang chỉnh sửa một bản nháp được lưu cách đây :timeDiff.',
+ 'pages_draft_edited_notification' => 'Trang này đã được cập nhật từ lúc đó. Bạn nên loại bỏ bản nháp này.',
+ 'pages_draft_edit_active' => [
+ 'start_a' => ':count người dùng đang bắt đầu chỉnh sửa trang này',
+ 'start_b' => ':userName đang bắt đầu chỉnh sửa trang này',
+ 'time_a' => 'kể từ khi thang được cập nhật lần cuối',
+ '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_specific' => 'Trang cụ thể',
+ 'pages_is_template' => 'Biểu mẫu trang',
+
+ // Editor Sidebar
+ 'page_tags' => 'Các Thẻ Trang',
+ 'chapter_tags' => 'Các Thẻ Chương',
+ 'book_tags' => 'Các Thẻ Sách',
+ 'shelf_tags' => 'Các Thẻ Kệ',
+ 'tag' => 'Nhãn',
+ 'tags' => 'Các Thẻ',
+ 'tag_name' => 'Tên Nhãn',
+ 'tag_value' => 'Giá trị Thẻ (Tùy chọn)',
+ 'tags_explain' => "Thêm vài thẻ để phân loại nội dung của bạn tốt hơn. \n Bạn có thể đặt giá trị cho thẻ để quản lí kĩ càng hơn.",
+ 'tags_add' => 'Thêm thẻ khác',
+ 'tags_remove' => 'Xóa thẻ này',
+ 'attachments' => 'Các Đính kèm',
+ 'attachments_explain' => 'Cập nhật một số tập tin và đính một số liên kết để hiển thị trên trang của bạn. Chúng được hiện trong sidebar của trang.',
+ 'attachments_explain_instant_save' => 'Các thay đổi ở đây sẽ được lưu ngay lập tức.',
+ 'attachments_items' => 'Đính kèm các Mục',
+ 'attachments_upload' => 'Tải lên Tập tin',
+ 'attachments_link' => 'Đính kèm Liên kết',
+ 'attachments_set_link' => 'Đặt Liên kết',
+ 'attachments_delete_confirm' => 'Bấm xóa lần nữa để xác nhận bạn muốn xóa đính kèm này.',
+ 'attachments_dropzone' => 'Thả các tập tin hoặc bấm vào đây để đính kèm một tập tin',
+ 'attachments_no_files' => 'Không có tập tin nào được tải lên',
+ 'attachments_explain_link' => 'Bạn có thể đính kèm một liên kết nếu bạn lựa chọn không tải lên tập tin. Liên kết này có thể trỏ đến một trang khác hoặc một tập tin ở trên mạng (đám mây).',
+ 'attachments_link_name' => 'Tên Liên kết',
+ 'attachment_link' => 'Liên kết đính kèm',
+ 'attachments_link_url' => 'Liên kết đến tập tin',
+ 'attachments_link_url_hint' => 'URL của trang hoặc tập tin',
+ 'attach' => 'Đính kèm',
+ 'attachments_edit_file' => 'Sửa tập tin',
+ 'attachments_edit_file_name' => 'Tên tệp tin',
+ 'attachments_edit_drop_upload' => 'Thả tập tin hoặc bấm vào đây để tải lên và ghi đè',
+ 'attachments_order_updated' => 'Đã cập nhật thứ tự đính kèm',
+ 'attachments_updated_success' => 'Đã cập nhật chi tiết đính kèm',
+ 'attachments_deleted' => 'Đính kèm đã được xóa',
+ 'attachments_file_uploaded' => 'Tập tin tải lên thành công',
+ 'attachments_file_updated' => 'Tập tin cập nhật thành công',
+ 'attachments_link_attached' => 'Liên kết được đính kèm đến trang thành công',
+ 'templates' => 'Các Mẫu',
+ 'templates_set_as_template' => 'Trang là một mẫu',
+ 'templates_explain_set_as_template' => 'Bạn có thể đặt trang này làm mẫu, nội dung của nó sẽ được sử dụng lại khi tạo các trang mới. Người dùng khác có thể sử dụng mẫu này nếu học có quyền hạn xem trang này.',
+ 'templates_replace_content' => 'Thay thế nội dung trang',
+ 'templates_append_content' => 'Viết vào nội dung trang',
+ 'templates_prepend_content' => 'Thêm vào đầu nội dung trang',
+
+ // Profile View
+ 'profile_user_for_x' => 'Đã là người dùng trong :time',
+ 'profile_created_content' => 'Đã tạo nội dung',
+ 'profile_not_created_pages' => ':userName chưa tạo bất kỳ trang nào',
+ 'profile_not_created_chapters' => ':userName chưa tạo bất kì chương nào',
+ 'profile_not_created_books' => ':userName chưa tạo bất cứ sách nào',
+ 'profile_not_created_shelves' => ':userName chưa tạo bất kỳ giá sách nào',
+
+ // Comments
+ 'comment' => 'Bình luận',
+ 'comments' => 'Các bình luận',
+ 'comment_add' => 'Thêm bình luận',
+ '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_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',
+
+ // 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.'
+];
\ No newline at end of file
--- /dev/null
+<?php
+/**
+ * Text shown in error messaging.
+ */
+return [
+
+ // Permissions
+ 'permission' => 'Bạn không có quyền truy cập đến trang này.',
+ 'permissionJson' => 'Bạn không có quyền để thực hiện hành động này.',
+
+ // Auth
+ 'error_user_exists_different_creds' => 'Đã có người sử dụng email :email nhưng với thông tin định danh khác.',
+ 'email_already_confirmed' => 'Email đã được xác nhận trước đó, Đang đăng nhập.',
+ 'email_confirmation_invalid' => 'Token xác nhận này không hợp lệ hoặc đã được sử dụng trước đó, Xin hãy thử đăng ký lại.',
+ 'email_confirmation_expired' => 'Token xác nhận đã hết hạn, Một email xác nhận mới đã được gửi.',
+ 'email_confirmation_awaiting' => 'Địa chỉ email của tài khoản bạn đang sử dụng cần phải được xác nhận',
+ 'ldap_fail_anonymous' => 'Truy cập đến LDAP sử dụng gán ẩn danh thất bại',
+ 'ldap_fail_authed' => 'Truy cập đến LDAP sử dụng dn và mật khẩu thất bại',
+ 'ldap_extension_not_installed' => 'Tiện ích mở rộng LDAP PHP chưa được cài đặt',
+ 'ldap_cannot_connect' => 'Không thể kết nối đến máy chủ LDAP, mở đầu kết nối thất bại',
+ 'saml_already_logged_in' => 'Đã đăng nhập',
+ 'saml_user_not_registered' => 'Người dùng :name chưa được đăng ký và tự động đăng ký đang bị tắt',
+ 'saml_no_email_address' => 'Không tìm thấy địa chỉ email cho người dùng này trong dữ liệu được cung cấp bới hệ thống xác thực ngoài',
+ 'saml_invalid_response_id' => 'Yêu cầu từ hệ thống xác thực bên ngoài không được nhận diện bởi quy trình chạy cho ứng dụng này. Điều hướng trở lại sau khi đăng nhập có thể đã gây ra vấn đề này.',
+ 'saml_fail_authed' => 'Đăng nhập sử dụng :system thất bại, hệ thống không cung cấp được sự xác thực thành công',
+ 'social_no_action_defined' => 'Không có hành động được xác định',
+ 'social_login_bad_response' => "Xảy ra lỗi trong lúc đăng nhập :socialAccount: \n:error",
+ 'social_account_in_use' => 'Tài khoản :socialAccount này đang được sử dụng, Vui lòng thử đăng nhập bằng tùy chọn :socialAccount.',
+ 'social_account_email_in_use' => 'Địa chỉ email :email đã được sử dụng. Nếu bạn đã có tài khoản bạn có thể kết nối đến tài khoản :socialAccount của mình từ cài đặt cá nhân của bạn.',
+ 'social_account_existing' => ':socialAccount đã được gắn với hồ sơ của bạn từ trước.',
+ 'social_account_already_used_existing' => 'Tài khoản :socialAccount đã được sử dụng bởi một người dùng khác.',
+ 'social_account_not_used' => 'Tài khoản :socialAccount này chưa được liên kết bởi bất cứ người dùng nào. Vui lòng liên kết nó tại cài đặt cá nhân của bạn. ',
+ 'social_account_register_instructions' => 'Nếu bạn chưa có tài khoản, Bạn có thể đăng ký một tài khoản bằng tùy chọn :socialAccount.',
+ 'social_driver_not_found' => 'Không tìm thấy driver cho MXH',
+ 'social_driver_not_configured' => 'Cài đặt MXH :socialAccount của bạn đang không được cấu hình hợp lệ.',
+ 'invite_token_expired' => 'Liên kết mời này đã hết hạn. Bạn có thể thử đặt lại mật khẩu của tài khoản.',
+
+ // System
+ 'path_not_writable' => 'Đường dẫn tệp tin :filePath không thể tải đến được. Đảm bảo rằng đường dẫn này có thể ghi được ở trên máy chủ.',
+ 'cannot_get_image_from_url' => 'Không thể lấy ảnh từ :url',
+ 'cannot_create_thumbs' => 'Máy chủ không thể tạo ảnh nhỏ. Vui lòng kiểm tra bạn đã cài đặt tiện ích mở rộng GD PHP.',
+ 'server_upload_limit' => 'Máy chủ không cho phép tải lên kích thước này. Vui lòng thử lại với tệp tin nhỏ hơn.',
+ 'uploaded' => 'Máy chủ không cho phép tải lên kích thước này. Vui lòng thử lại với tệp tin nhỏ hơn.',
+ '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ệ',
+ 'file_upload_timeout' => 'Đã quá thời gian tải lên tệp tin.',
+
+ // Attachments
+ 'attachment_page_mismatch' => 'Trang không trùng khớp khi cập nhật đính kèm',
+ 'attachment_not_found' => 'Không tìm thấy đính kèm',
+
+ // 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_custom_home_deletion' => 'Không thể xóa trang khi nó đang được đặt là trang chủ',
+
+ // Entities
+ 'entity_not_found' => 'Không tìm thấy thực thể',
+ 'bookshelf_not_found' => 'Không tìm thấy giá sách',
+ 'book_not_found' => 'Không tìm thấy sách',
+ 'page_not_found' => 'Không tìm thấy trang',
+ 'chapter_not_found' => 'Không tìm thấy chương',
+ 'selected_book_not_found' => 'Không tìm thấy sách được chọn',
+ 'selected_book_chapter_not_found' => 'Không tìm thấy Sách hoặc Chương được chọn',
+ 'guests_cannot_save_drafts' => 'Khách không thể lưu bản nháp',
+
+ // Users
+ 'users_cannot_delete_only_admin' => 'Bạn không thể xóa quản trị viên duy nhất',
+ 'users_cannot_delete_guest' => 'Bạn không thể xóa người dùng khách',
+
+ // Roles
+ 'role_cannot_be_edited' => 'Không thể chỉnh sửa quyền này',
+ 'role_system_cannot_be_deleted' => 'Quyền này là quyền hệ thống và không thể bị xóa',
+ 'role_registration_default_cannot_delete' => 'Quyền này không thể bị xóa trong khi đang đặt là quyền mặc định khi đăng ký',
+ 'role_cannot_remove_only_admin' => 'Người dùng này là người dùng duy nhất được chỉ định quyền quản trị viên. Gán quyền quản trị viên cho người dùng khác trước khi thử xóa người dùng này.',
+
+ // Comments
+ 'comment_list' => 'Đã có lỗi xảy ra khi tải bình luận.',
+ 'cannot_add_comment_to_draft' => 'Bạn không thể thêm bình luận vào bản nháp.',
+ 'comment_add' => 'Đã xảy ra lỗi khi thêm / sửa bình luận.',
+ 'comment_delete' => 'Đã xảy ra lỗi khi xóa bình luận.',
+ 'empty_comment' => 'Không thể thêm bình luận bị bỏ trống.',
+
+ // Error pages
+ '404_page_not_found' => 'Không Tìm Thấy Trang',
+ 'sorry_page_not_found' => 'Xin lỗi, Không tìm thấy trang bạn đang tìm kiếm.',
+ 'return_home' => 'Quay lại trang chủ',
+ 'error_occurred' => 'Đã xảy ra lỗi',
+ 'app_down' => ':appName hiện đang ngoại tuyến',
+ 'back_soon' => 'Nó sẽ sớm hoạt động trở lại.',
+
+ // API errors
+ 'api_no_authorization_found' => 'Không tìm thấy token ủy quyền trong yêu cầu',
+ 'api_bad_authorization_format' => 'Đã tìm thấy một token ủy quyền trong yêu cầu nhưng định dạng hiển thị không hợp lệ',
+ 'api_user_token_not_found' => 'Không tìm thấy token API nào khớp với token ủy quyền được cung cấp',
+ 'api_incorrect_token_secret' => 'Mã bí mật được cung cấp cho token API đang được sử dụng không hợp lệ',
+ 'api_user_no_api_permission' => 'Chủ của token API đang sử dụng không có quyền gọi API',
+ 'api_user_token_expired' => 'Token sử dụng cho việc ủy quyền đã hết hạn',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Lỗi khi gửi email thử:',
+
+];
--- /dev/null
+<?php
+/**
+ * Pagination Language Lines
+ * The following language lines are used by the paginator library to build
+ * the simple pagination links.
+ */
+return [
+
+ 'previous' => '« Trước',
+ 'next' => 'Tiếp »',
+
+];
--- /dev/null
+<?php
+/**
+ * Password Reminder Language Lines
+ * The following language lines are the default lines which match reasons
+ * that are given by the password broker for a password update attempt has failed.
+ */
+return [
+
+ 'password' => 'Mật khẩu phải có tối thiểu 8 ký tự và và phải trùng với mật khẩu xác nhận.',
+ 'user' => "Chúng tôi không tìm thấy người dùng với địa chỉ email đó.",
+ 'token' => 'Token đặt lại mật khẩu không hợp lệ.',
+ 'sent' => 'Chúng tôi đã gửi email chứa liên kết đặt lại mật khẩu cho bạn!',
+ 'reset' => 'Mật khẩu của bạn đã được đặt lại!',
+
+];
--- /dev/null
+<?php
+/**
+ * Settings text strings
+ * Contains all text strings used in the general settings sections of BookStack
+ * including users and roles.
+ */
+return [
+
+ // Common Messages
+ 'settings' => 'Cài đặt',
+ 'settings_save' => 'Lưu Cài đặt',
+ 'settings_save_success' => 'Đã lưu cài đặt',
+
+ // App Settings
+ 'app_customization' => 'Tuỳ biến',
+ 'app_features_security' => 'Chức năng & Bảo mật',
+ 'app_name' => 'Tên Ứng dụng',
+ 'app_name_desc' => 'Tên này được hiển thị trong header và trong bất kì email hệ thống được gửi.',
+ 'app_name_header' => 'Hiển thị tên trong header',
+ 'app_public_access' => 'Quyền truy cập công khai',
+ 'app_public_access_desc' => 'Bật tùy chọn này sẽ cho phép khách, người không cần đăng nhập, truy cập đến nội dung bản BookStack của bạn.',
+ 'app_public_access_desc_guest' => 'Quyền truy cập của khách có thể được điều khiển thông qua người dùng "Guest".',
+ 'app_public_access_toggle' => 'Cho phép truy cập công khai',
+ 'app_public_viewing' => 'Cho phép xem công khai?',
+ 'app_secure_images' => 'Bảo mật tốt hơn cho việc tải lên ảnh',
+ 'app_secure_images_toggle' => 'Bật bảo mật tốt hơn cho các ảnh được tải lên',
+ 'app_secure_images_desc' => 'Vì lí do hiệu năng, tất cả các ảnh đều được truy cập công khai. Tùy chọn này thêm một chuỗi ngẫu nhiên, khó đoán vào phần liên kết đến ảnh. Đảm bảo rằng tránh việc index thư mục để ngăn chặn việc truy cập đến ảnh một cách dễ dàng.',
+ 'app_editor' => 'Soạn thảo Trang',
+ 'app_editor_desc' => 'Chọn trình soạn thảo nào sẽ được sử dụng bởi tất cả người dùng để chỉnh sửa trang.',
+ 'app_custom_html' => 'Tùy chọn nội dung Head HTML',
+ 'app_custom_html_desc' => 'Bất cứ nội dung nào được thêm vào đây sẽ được đưa vào phần cuối của khu vực <head> của mỗi trang. Tiện cho việc ghi đè style hoặc thêm mã phân tích dữ liệu.',
+ 'app_custom_html_disabled_notice' => 'Nội dung tùy biến HTML head bị tắt tại trang cài đặt này để đảm bảo mọi thay đổi làm hỏng hệ thống có để được khôi phục.',
+ 'app_logo' => 'Logo Ứng dụng',
+ 'app_logo_desc' => 'Ảnh này nên có kích thước chiều cao là 43px. <br>Ảnh lớn sẽ được điều chỉnh tỷ lệ xuống.',
+ 'app_primary_color' => 'Màu chủ đạo của Ứng dụng',
+ 'app_primary_color_desc' => 'Đặt màu chủ đạo của ứng dụng kể cả banner, các nút và các đường dẫn liên kết.',
+ 'app_homepage' => 'Trang chủ Ứng dụng',
+ 'app_homepage_desc' => 'Chọn hiển thị để hiện tại trang chủ thay cho hiển thị mặc định. Quyền cho trang được bỏ qua cho các trang được chọn.',
+ 'app_homepage_select' => 'Chọn một trang',
+ 'app_disable_comments' => 'Tắt bình luận',
+ 'app_disable_comments_toggle' => 'Tắt bình luận',
+ 'app_disable_comments_desc' => 'Tắt các bình luận trên tất cả các trang của ứng dụng. <br> Các bình luận đã tồn tại sẽ không được hiển thị.',
+
+ // Color settings
+ 'content_colors' => 'Màu của phần Nội dung',
+ 'content_colors_desc' => 'Đặt màu cho tất cả các thành phần trong trang theo sự tổ chức kế thừa. Việc chọn màu sắc với cùng độ sáng với màu mặc định là được khuyến nghị giúp cho việc đọc thuận lợi.',
+ 'bookshelf_color' => 'Màu Giá sách',
+ 'book_color' => 'Màu Sách',
+ 'chapter_color' => 'Màu Chương',
+ 'page_color' => 'Màu Trang',
+ 'page_draft_color' => 'Màu Trang Nháp',
+
+ // Registration Settings
+ 'reg_settings' => 'Đăng ký',
+ 'reg_enable' => 'Bật Đăng ký',
+ 'reg_enable_toggle' => 'Bật đăng ký',
+ 'reg_enable_desc' => 'Khi đăng ký được bật người dùng sẽ có thể tự đăng ký để trở thành người dùng của ứng dụng. Khi đăng kí người dùng sẽ được cấp một quyền sử dụng mặc định.',
+ 'reg_default_role' => 'Quyền người dùng sử dụng mặc định sau khi đăng kí',
+ 'reg_enable_external_warning' => 'Tùy chọn trên bị bỏ qua khi xác thực từ bên ngoài LDAP hoặc SAML được bật. Tài khoản người dùng chưa phải là thành viên sẽ được tự động tạo nếu xác thực với hệ thống bên ngoài thành công.',
+ 'reg_email_confirmation' => 'Xác nhận Email',
+ 'reg_email_confirmation_toggle' => 'Yêu cầu xác nhận email',
+ 'reg_confirm_email_desc' => 'Nếu giới hạn tên miền được sử dụng, xác nhận email là bắt buộc và tùy chọn này sẽ bị bỏ qua.',
+ 'reg_confirm_restrict_domain' => 'Giới hạn tên miền',
+ 'reg_confirm_restrict_domain_desc' => 'Điền dấu phẩy ngăn cách danh sách các tên miền email dành cho việc bạn muốn giới hạn đăng nhập. Người dùng sẽ nhận được email xác nhận địa chỉ của họ trước khi được phép tương tác với ứng dụng. <br> Lưu ý rằng người dùng có thể thay đổi địa chỉ email của họ sau khi đăng ký thành công.',
+ 'reg_confirm_restrict_domain_placeholder' => 'Không có giới hạn nào được thiết lập',
+
+ // Maintenance settings
+ 'maint' => 'Bảo trì',
+ 'maint_image_cleanup' => 'Dọn dẹp ảnh',
+ 'maint_image_cleanup_desc' => "Quét nội dung trang và phiên bản để kiểm tra xem các ảnh và hình vẽ nào đang được sử dụng và ảnh nào dư thừa. Đảm bảo rằng bạn đã tạo bản sao lưu toàn dữ liệu và ảnh trước khi chạy chức năng này.",
+ 'maint_image_cleanup_ignore_revisions' => 'Bỏ qua ảnh trong phiên bản chỉnh sửa',
+ 'maint_image_cleanup_run' => 'Chạy Dọn dẹp',
+ 'maint_image_cleanup_warning' => 'Đã tìm thấy :count ảnh có thể không được sử dụng. Bạn muốn chắc rằng muốn xóa các ảnh này?',
+ 'maint_image_cleanup_success' => ':count ảnh có thể không được sử dụng đã được tìm thấy và xóa!',
+ 'maint_image_cleanup_nothing_found' => 'Không tìm thấy ảnh nào không được xử dụng, Không có gì để xóa!',
+ 'maint_send_test_email' => 'Gửi một email thử',
+ 'maint_send_test_email_desc' => 'Chức năng này gửi một email thử đến địa chỉ email bạn chỉ định trong hồ sơ của mình.',
+ 'maint_send_test_email_run' => 'Gửi email thử',
+ 'maint_send_test_email_success' => 'Email đã được gửi đến :address',
+ 'maint_send_test_email_mail_subject' => 'Thử Email',
+ 'maint_send_test_email_mail_greeting' => 'Chức năng gửi email có vẻ đã hoạt động!',
+ 'maint_send_test_email_mail_text' => 'Chúc mừng! Khi bạn nhận được email thông báo này, cài đặt email của bạn có vẻ đã được cấu hình đúng.',
+
+ // Role Settings
+ 'roles' => 'Quyền',
+ 'role_user_roles' => 'Quyền người dùng',
+ 'role_create' => 'Tạo quyền mới',
+ 'role_create_success' => 'Quyền mới đã được tạo thành công',
+ 'role_delete' => 'Xóa quyền',
+ 'role_delete_confirm' => 'Chức năng này sẽ xóa quyền với tên \':roleName\'.',
+ 'role_delete_users_assigned' => 'Quyền này có :userCount người dùng được gán. Nếu bạn muốn di dời các người dùng từ quyền này hãy chọn một quyền mới bên dưới.',
+ 'role_delete_no_migration' => "Không di dời các người dùng",
+ 'role_delete_sure' => 'Bạn có chắc rằng muốn xóa quyền này?',
+ 'role_delete_success' => 'Quyền đã được xóa thành công',
+ 'role_edit' => 'Sửa quyền',
+ 'role_details' => 'Thông tin chi tiết Quyền',
+ 'role_name' => 'Tên quyền',
+ 'role_desc' => 'Thông tin vắn tắt của Quyền',
+ 'role_external_auth_id' => 'Mã của xác thực ngoài',
+ 'role_system' => 'Quyền Hệ thống',
+ 'role_manage_users' => 'Quản lý người dùng',
+ 'role_manage_roles' => 'Quản lý quyền và chức năng quyền',
+ 'role_manage_entity_permissions' => 'Quản lý tất cả quyền của các sách, chương & trang',
+ 'role_manage_own_entity_permissions' => 'Quản lý quyền trên sách, chương & trang bạn tạo ra',
+ 'role_manage_page_templates' => 'Quản lý các mẫu trang',
+ 'role_access_api' => 'Truy cập đến API hệ thống',
+ 'role_manage_settings' => 'Quản lý cài đặt của ứng dụng',
+ 'role_asset' => 'Quyền tài sản (asset)',
+ 'role_asset_desc' => 'Các quyền này điều khiển truy cập mặc định tới tài sản (asset) nằm trong hệ thống. Quyền tại Sách, Chường và Trang se ghi đè các quyền này.',
+ 'role_asset_admins' => 'Quản trị viên được tự động cấp quyền truy cập đến toàn bộ nội dung, tuy nhiên các tùy chọn đó có thể hiện hoặc ẩn tùy chọn giao diện.',
+ 'role_all' => 'Tất cả',
+ 'role_own' => 'Sở hữu',
+ 'role_controlled_by_asset' => 'Kiểm soát các tài sản (asset) người dùng tải lên',
+ 'role_save' => 'Lưu Quyền',
+ 'role_update_success' => 'Quyền đã được cập nhật thành công',
+ 'role_users' => 'Người dùng được gán quyền này',
+ 'role_users_none' => 'Không có người dùng nào hiện được gán quyền này',
+
+ // Users
+ 'users' => 'Người dùng',
+ 'user_profile' => 'Hồ sơ người dùng',
+ 'users_add_new' => 'Thêm người dùng mới',
+ 'users_search' => 'Tìm kiếm người dùng',
+ 'users_details' => 'Chi tiết người dùng',
+ 'users_details_desc' => 'Hiển thị tên và địa chỉ email cho người dùng này. Địa chỉ email sẽ được sử dụng để đăng nhập vào ứng dụng.',
+ 'users_details_desc_no_email' => 'Đặt tên cho người dùng này để giúp người dùng khác nhận ra họ.',
+ 'users_role' => 'Quyền người dùng',
+ 'users_role_desc' => 'Chọn quyền mà người dùng sẽ được gán. Nếu người dùng được gán nhiều quyền, các quyền hạn sẽ ghi đè lên nhau và họ sẽ nhận được tất cả các quyền hạn từ quyền được gán.',
+ 'users_password' => 'Mật khẩu người dùng',
+ 'users_password_desc' => 'Đặt mật khẩu dùng để đăng nhập ứng dụng. Nó phải có độ dài tối thiểu 6 ký tự.',
+ 'users_send_invite_text' => 'Bạn có thể chọn để gửi cho người dùng này một email mời, giúp họ có thể tự đặt mật khẩu cho chính họ. Nếu không bạn có thể đặt mật khẩu cho họ.',
+ 'users_send_invite_option' => 'Gửi email mời người dùng',
+ 'users_external_auth_id' => 'Mã của xác thực ngoài',
+ 'users_external_auth_id_desc' => 'Đây là mã được sử dụng để xác thực với người dùng này khi giao tiếp với hệ thống xác thực bên ngoài.',
+ 'users_password_warning' => 'Chỉ điền ô bên dưới nếu bạn muốn thay đổi mật khẩu.',
+ 'users_system_public' => 'Người dùng này đại diện cho bất kỳ khách nào thăm trang của bạn. Nó được tự động gán và không thể dùng để đăng nhập.',
+ 'users_delete' => 'Xóa Người dùng',
+ 'users_delete_named' => 'Xóa người dùng :userName',
+ 'users_delete_warning' => 'Chức năng này sẽ hoàn toàn xóa người dùng với tên \':userName\' từ hệ thống.',
+ 'users_delete_confirm' => 'Bạn có chắc muốn xóa người dùng này không?',
+ 'users_delete_success' => 'Người dùng đã được xóa thành công',
+ 'users_edit' => 'Sửa người dùng',
+ 'users_edit_profile' => 'Sửa Hồ sơ',
+ 'users_edit_success' => 'Người dùng được cập nhật thành công',
+ 'users_avatar' => 'Ảnh đại diện',
+ 'users_avatar_desc' => 'Chọn ảnh đê đại hiện cho người dùng này. Ảnh nên có kích cỡ hình vuông 256px.',
+ 'users_preferred_language' => 'Ngôn ngữ ưu tiên',
+ 'users_preferred_language_desc' => 'Tùy chọn này sẽ thay đổi ngôn ngư sử dụng cho giao diện người dùng của ứng dụng. Nó sẽ không ảnh hưởng đến bất cứ nội dung nào người dùng tạo ra.',
+ 'users_social_accounts' => 'Tài khoản MXH',
+ 'users_social_accounts_info' => 'Bạn có thể kết nối đến các tài khoản khác để đăng nhập nhanh chóng và dễ dàng. Ngắt kết nối đến một tài khoản ở đây không thu hồi việc ủy quyền truy cập trước đó. Thu hồi truy cập của các tài khoản kết nối MXH từ trang cài đặt hồ sở của bạn.',
+ 'users_social_connect' => 'Kết nối tài khoản',
+ 'users_social_disconnect' => 'Ngắt kết nối tài khoản',
+ 'users_social_connected' => 'Tài khoản :socialAccount đã được liên kết với hồ sơ của bạn thành công.',
+ 'users_social_disconnected' => 'Tài khoản :socialAccount đã được ngắt kết nối khỏi hồ sơ của bạn thành công.',
+ 'users_api_tokens' => 'Các Token API',
+ 'users_api_tokens_none' => 'Khong có Token API nào được tạo cho người dùng này',
+ 'users_api_tokens_create' => 'Tạo Token',
+ 'users_api_tokens_expires' => 'Hết hạn',
+ 'users_api_tokens_docs' => 'Tài liệu API',
+
+ // API Tokens
+ 'user_api_token_create' => 'Tạo Token API',
+ 'user_api_token_name' => 'Tên',
+ 'user_api_token_name_desc' => 'Đặt cho token của bạn một tên dễ đọc để nhắc nhở mục đích sử dụng của nó trong tương lai.',
+ '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.',
+ 'user_api_token_secret' => 'Mật khẩu Token',
+ 'user_api_token_secret_desc' => 'Đây là mật khẩu được hệ thống tạo ra cho token để phục vụ cho các yêu cầu API này. Nó sẽ chỉ được hiển thị một lần duy nhất nên hãy sao lưu nó vào nơi nào đó an toàn và bảo mật.',
+ 'user_api_token_created' => 'Token được tạo :timeAgo',
+ 'user_api_token_updated' => 'Token được cập nhật :timeAgo',
+ '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',
+
+ //! If editing translations files directly please ignore this in all
+ //! languages apart from en. Content will be auto-copied from en.
+ //!////////////////////////////////
+ 'language_select' => [
+ 'en' => 'English',
+ 'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => 'Đan Mạch',
+ 'de' => 'Deutsch (Sie)',
+ 'de_informal' => 'Deutsch (Du)',
+ 'es' => 'Español',
+ 'es_AR' => 'Español Argentina',
+ 'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
+ 'nl' => 'Nederlands',
+ 'pl' => 'Polski',
+ 'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
+ 'sk' => 'Slovensky',
+ 'sv' => 'Svenska',
+ 'tr' => 'Türkçe',
+ 'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
+ 'zh_CN' => '简体中文',
+ 'zh_TW' => '繁體中文',
+ ]
+ //!////////////////////////////////
+];
--- /dev/null
+<?php
+/**
+ * Validation Lines
+ * The following language lines contain the default error messages used by
+ * the validator class. Some of these rules have multiple versions such
+ * as the size rules. Feel free to tweak each of these messages here.
+ */
+return [
+
+ // Standard laravel validation lines
+ 'accepted' => ':attribute phải được chấp nhận.',
+ 'active_url' => ':attribute không phải là một đường dẫn hợp lệ.',
+ 'after' => ':attribute phải là một ngày sau :date.',
+ 'alpha' => ':attribute chỉ được chứa chữ cái.',
+ 'alpha_dash' => ':attribute chỉ được chứa chữ cái, chữ số, gạch nối và gạch dưới.',
+ 'alpha_num' => ':attribute chỉ được chứa chữ cái hoặc chữ số.',
+ 'array' => ':attribute phải là một mảng.',
+ 'before' => ':attribute phải là một ngày trước :date.',
+ 'between' => [
+ 'numeric' => ':attribute phải nằm trong khoảng :min đến :max.',
+ 'file' => ':attribute phải nằm trong khoảng :min đến :max KB.',
+ 'string' => ':attribute phải trong khoảng :min đến :max ký tự.',
+ 'array' => ':attribute phải nằm trong khoảng :min đến :max mục.',
+ ],
+ 'boolean' => 'Trường :attribute phải có giá trị đúng hoặc sai.',
+ 'confirmed' => 'Xác nhận :attribute không khớp.',
+ 'date' => ':attribute không phải là ngày hợp lệ.',
+ 'date_format' => ':attribute không khớp với định dạng :format.',
+ 'different' => ':attribute và :other phải khác nhau.',
+ 'digits' => ':attribute phải có :digits chữ số.',
+ 'digits_between' => ':attribute phải có từ :min đến :max chữ số.',
+ 'email' => ':attribute phải là địa chỉ email hợp lệ.',
+ 'ends_with' => ':attribute phải kết thúc bằng một trong các ký tự: :values',
+ 'filled' => 'Trường :attribute là bắt buộc.',
+ 'gt' => [
+ 'numeric' => ':attribute phải lớn hơn :value.',
+ 'file' => ':attribute phải lớn hơn :value KB.',
+ 'string' => ':attribute phải có nhiều hơn :value ký tự.',
+ 'array' => ':attribute phải có nhiều hơn :value mục.',
+ ],
+ 'gte' => [
+ 'numeric' => ':attribute phải lớn hơn hoặc bằng :value.',
+ 'file' => ':attribute phải lớn hơn hoặc bằng :value KB.',
+ 'string' => ':attribute phải có nhiều hơn hoặc bằng :value ký tự.',
+ 'array' => ':attribute phải có :value mục trở lên.',
+ ],
+ 'exists' => ':attribute đã chọn không hợp lệ.',
+ 'image' => ':attribute phải là ảnh.',
+ 'image_extension' => ':attribute phải có định dạng ảnh hợp lệ và được hỗ trợ.',
+ 'in' => ':attribute đã chọn không hợp lệ.',
+ 'integer' => ':attribute phải là một số nguyên.',
+ 'ip' => ':attribute phải là một địa chỉ IP hợp lệ.',
+ 'ipv4' => ':attribute phải là địa chỉ IPv4 hợp lệ.',
+ 'ipv6' => ':attribute phải là địa chỉ IPv6 hợp lệ.',
+ 'json' => ':attribute phải là một chuỗi JSON hợp lệ.',
+ 'lt' => [
+ 'numeric' => ':attribute phải nhỏ hơn :value.',
+ 'file' => ':attribute phải nhỏ hơn :value KB.',
+ 'string' => ':attribute phải có it hơn :value ký tự.',
+ 'array' => ':attribute phải có ít hơn :value mục.',
+ ],
+ 'lte' => [
+ 'numeric' => ':attribute phải nhỏ hơn hoặc bằng :value.',
+ 'file' => ':attribute phải nhỏ hơn hoặc bằng :value KB.',
+ 'string' => ':attribute phải có ít hơn hoặc bằng :value ký tự.',
+ 'array' => ':attribute không được có nhiều hơn :value mục.',
+ ],
+ 'max' => [
+ 'numeric' => ':attribute không được lớn hơn :max.',
+ 'file' => ':attribute không được lớn hơn :max KB.',
+ 'string' => ':attribute không được nhiều hơn :max ký tự.',
+ 'array' => ':attribute không thể có nhiều hơn :max mục.',
+ ],
+ 'mimes' => ':attribute phải là tệp tin có kiểu: :values.',
+ 'min' => [
+ 'numeric' => ':attribute phải tối thiểu là :min.',
+ 'file' => ':attribute phải tối thiểu là :min KB.',
+ 'string' => ':attribute phải có tối thiểu :min ký tự.',
+ 'array' => ':attribute phải có tối thiểu :min mục.',
+ ],
+ 'no_double_extension' => ':attribute chỉ được có một định dạng mở rộng duy nhất.',
+ 'not_in' => ':attribute đã chọn không hợp lệ.',
+ 'not_regex' => 'Định dạng của :attribute không hợp lệ.',
+ 'numeric' => ':attribute phải là một số.',
+ 'regex' => 'Định dạng của :attribute không hợp lệ.',
+ 'required' => 'Trường :attribute là bắt buộc.',
+ 'required_if' => 'Trường :attribute là bắt buộc khi :other là :value.',
+ 'required_with' => 'Trường :attribute là bắt buộc khi :values tồn tại.',
+ 'required_with_all' => 'Trường :attribute là bắt buộc khi :values tồn tại.',
+ 'required_without' => 'Trường :attribute là bắt buộc khi :values không tồn tại.',
+ 'required_without_all' => 'Trường :attribute là bắt buộc khi không có bất cứ :values nào tồn tại.',
+ 'same' => ':attribute và :other phải trùng khớp với nhau.',
+ 'size' => [
+ 'numeric' => ':attribute phải có cỡ :size.',
+ 'file' => ':attribute phải có cỡ :size KB.',
+ 'string' => ':attribute phải có :size ký tự.',
+ 'array' => ':attribute phải chứa :size mục.',
+ ],
+ 'string' => ':attribute phải là một chuỗi.',
+ 'timezone' => ':attribute phải là một khu vực hợp lệ.',
+ 'unique' => ':attribute đã có người sử dụng.',
+ 'url' => 'Định dạng của :attribute không hợp lệ.',
+ 'uploaded' => 'Tệp tin đã không được tải lên. Máy chủ không chấp nhận các tệp tin với dung lượng lớn như tệp tin trên.',
+
+ // Custom validation lines
+ 'custom' => [
+ 'password-confirm' => [
+ 'required_with' => 'Bắt buộc xác nhận mật khẩu',
+ ],
+ ],
+
+ // Custom validation attributes
+ 'attributes' => [],
+];
'remember_me' => '记住我',
'ldap_email_hint' => '请输入用于此帐户的电子邮件。',
'create_account' => '创建账户',
- 'already_have_account' => 'Already have an account?',
- 'dont_have_account' => 'Don\'t have an account?',
+ 'already_have_account' => '您已经有账号?',
+ 'dont_have_account' => '您还没注册?',
'social_login' => 'SNS登录',
'social_registration' => 'SNS注册',
- 'social_registration_text' => '其他服务注册/登录.',
+ 'social_registration_text' => '其他服务注册/登录。',
'register_thanks' => '注册完成!',
'register_confirm' => '请点击查收您的Email,并点击确认。',
'email_not_confirmed_resend_button' => '重新发送确认Email',
// User Invite
- 'user_invite_email_subject' => 'You have been invited to join :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_action' => 'Set Account Password',
- '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_success' => 'Password set, you now have access to :appName!'
+ 'user_invite_email_subject' => '您已受邀加入 :appName!',
+ 'user_invite_email_greeting' => ' :appName 已为您创建了一个帐户。',
+ 'user_invite_email_text' => '点击下面的按钮以设置帐户密码并获得访问权限:',
+ 'user_invite_email_action' => '设置帐号密码',
+ 'user_invite_page_welcome' => '欢迎来到 :appName!',
+ 'user_invite_page_text' => '要完成您的帐户并获得访问权限,您需要设置一个密码,该密码将在以后访问时用于登录 :appName。',
+ 'user_invite_page_confirm_button' => '确认密码',
+ 'user_invite_success' => '已设置密码,您现在可以访问 :appName!'
];
\ No newline at end of file
'save' => '保存',
'continue' => '继续',
'select' => '选择',
- 'toggle_all' => 'Toggle All',
+ 'toggle_all' => '切换全部',
'more' => '更多',
// Form Labels
// Actions
'actions' => '操作',
'view' => '浏览',
- 'view_all' => 'View All',
+ 'view_all' => '查看全部',
'create' => '创建',
'update' => '更新',
'edit' => '编辑',
'reset' => '重置',
'remove' => '删除',
'add' => '添加',
+ 'fullscreen' => '全屏',
// Sort Options
- 'sort_options' => 'Sort Options',
- 'sort_direction_toggle' => 'Sort Direction Toggle',
- 'sort_ascending' => 'Sort Ascending',
- 'sort_descending' => 'Sort Descending',
- 'sort_name' => 'Name',
- 'sort_created_at' => 'Created Date',
- 'sort_updated_at' => 'Updated Date',
+ 'sort_options' => '排序选项',
+ 'sort_direction_toggle' => '排序方向切换',
+ 'sort_ascending' => '升序',
+ 'sort_descending' => '降序',
+ 'sort_name' => '名称',
+ 'sort_created_at' => '创建时间',
+ 'sort_updated_at' => '更新时间',
// Misc
'deleted_user' => '删除用户',
'grid_view' => '网格视图',
'list_view' => '列表视图',
'default' => '默认',
- 'breadcrumb' => 'Breadcrumb',
+ 'breadcrumb' => '面包屑导航',
// Header
- 'profile_menu' => 'Profile Menu',
+ 'profile_menu' => '个人资料',
'view_profile' => '查看资料',
'edit_profile' => '编辑资料',
// Layout tabs
- 'tab_info' => 'Info',
- 'tab_content' => 'Content',
+ 'tab_info' => '信息',
+ 'tab_content' => '内容',
// Email Content
'email_action_help' => '如果您无法点击“:actionText”按钮,请将下面的网址复制到您的浏览器中打开:',
- 'email_rights' => 'All rights reserved',
+ 'email_rights' => '版权所有',
];
// Shared
'recently_created' => '最近创建',
'recently_created_pages' => '最近创建的页面',
- 'recently_updated_pages' => '最新页面',
+ 'recently_updated_pages' => '最近更新的页面',
'recently_created_chapters' => '最近创建的章节',
'recently_created_books' => '最近创建的图书',
- 'recently_created_shelves' => 'Recently Created Shelves',
+ 'recently_created_shelves' => '最近创建的书架',
'recently_update' => '最近更新',
'recently_viewed' => '最近查看',
'recent_activity' => '近期活动',
// Shelves
'shelf' => '书架',
'shelves' => '书架',
- 'x_shelves' => ':count Shelf|:count Shelves',
+ 'x_shelves' => ':count 书架|:count 书架',
'shelves_long' => '书架',
'shelves_empty' => '当前未创建书架',
'shelves_create' => '创建新书架',
'shelves_popular' => '热门书架',
'shelves_new' => '新书架',
- 'shelves_new_action' => 'New Shelf',
+ 'shelves_new_action' => '新书架',
'shelves_popular_empty' => '最热门的书架',
'shelves_new_empty' => '最新创建的书架',
'shelves_save' => '保存书架',
'books_popular' => '热门图书',
'books_recent' => '最近的书',
'books_new' => '新书',
- 'books_new_action' => 'New Book',
+ 'books_new_action' => '新书',
'books_popular_empty' => '最受欢迎的图书将出现在这里。',
'books_new_empty' => '最近创建的图书将出现在这里。',
'books_create' => '创建图书',
'books_navigation' => '图书导航',
'books_sort' => '排序图书内容',
'books_sort_named' => '排序图书「:bookName」',
- 'books_sort_name' => 'Sort by Name',
- 'books_sort_created' => 'Sort by Created Date',
- 'books_sort_updated' => 'Sort by Updated Date',
- 'books_sort_chapters_first' => 'Chapters First',
- 'books_sort_chapters_last' => 'Chapters Last',
+ 'books_sort_name' => '按名称排序',
+ 'books_sort_created' => '创建时间排序',
+ 'books_sort_updated' => '按更新时间排序',
+ 'books_sort_chapters_first' => '章节正序',
+ 'books_sort_chapters_last' => '章节倒序',
'books_sort_show_other' => '显示其他图书',
'books_sort_save' => '保存新顺序',
'pages_delete_confirm' => '您确定要删除此页面吗?',
'pages_delete_draft_confirm' => '您确定要删除此草稿页面吗?',
'pages_editing_named' => '正在编辑页面“:pageName”',
- 'pages_edit_draft_options' => 'Draft Options',
+ 'pages_edit_draft_options' => '草稿选项',
'pages_edit_save_draft' => '保存草稿',
'pages_edit_draft' => '编辑页面草稿',
'pages_editing_draft' => '正在编辑草稿',
'pages_revisions_created_by' => '创建者',
'pages_revisions_date' => '修订日期',
'pages_revisions_number' => '#',
- 'pages_revisions_numbered' => 'Revision #:id',
- 'pages_revisions_numbered_changes' => 'Revision #:id Changes',
+ 'pages_revisions_numbered' => '修订 #:id',
+ 'pages_revisions_numbered_changes' => '修改 #:id ',
'pages_revisions_changelog' => '更新说明',
'pages_revisions_changes' => '说明',
'pages_revisions_current' => '当前版本',
],
'pages_draft_discarded' => '草稿已丢弃,编辑器已更新到当前页面内容。',
'pages_specific' => '具体页面',
- 'pages_is_template' => 'Page Template',
+ 'pages_is_template' => '页面模板',
// Editor Sidebar
'page_tags' => '页面标签',
'shelf_tags' => '书架标签',
'tag' => '标签',
'tags' => '标签',
- 'tag_name' => 'Tag Name',
+ 'tag_name' => '标签名称',
'tag_value' => '标签值 (Optional)',
'tags_explain' => "添加一些标签以更好地对您的内容进行分类。\n您可以为标签分配一个值,以进行更深入的组织。",
'tags_add' => '添加另一个标签',
- 'tags_remove' => 'Remove this tag',
+ 'tags_remove' => '删除此标签',
'attachments' => '附件',
'attachments_explain' => '上传一些文件或附加一些链接显示在您的网页上。这些在页面的侧边栏中可见。',
- 'attachments_explain_instant_save' => '这里的更改将立即保存。Changes here are saved instantly.',
+ 'attachments_explain_instant_save' => '这里的更改将立即保存。',
'attachments_items' => '附加项目',
'attachments_upload' => '上传文件',
'attachments_link' => '附加链接',
'attachments_file_uploaded' => '附件上传成功',
'attachments_file_updated' => '附件更新成功',
'attachments_link_attached' => '链接成功附加到页面',
- 'templates' => 'Templates',
- 'templates_set_as_template' => 'Page is a template',
- 'templates_explain_set_as_template' => 'You can set this page as a template so its contents be utilized when creating other pages. Other users will be able to use this template if they have view permissions for this page.',
- 'templates_replace_content' => 'Replace page content',
- 'templates_append_content' => 'Append to page content',
- 'templates_prepend_content' => 'Prepend to page content',
+ 'templates' => '模板',
+ 'templates_set_as_template' => '设置为模板',
+ 'templates_explain_set_as_template' => '您可以将此页面设置为模板,以便在创建其他页面时利用其内容。 如果其他用户对此页面具有查看权限,则将可以使用此模板。',
+ 'templates_replace_content' => '替换页面内容',
+ 'templates_append_content' => '附加到页面内容',
+ 'templates_prepend_content' => '追加到页面内容',
// Profile View
'profile_user_for_x' => '来这里:time了',
'profile_not_created_pages' => ':userName尚未创建任何页面',
'profile_not_created_chapters' => ':userName尚未创建任何章节',
'profile_not_created_books' => ':userName尚未创建任何图书',
- 'profile_not_created_shelves' => ':userName has not created any shelves',
+ 'profile_not_created_shelves' => ':userName 尚未创建任何书架',
// Comments
'comment' => '评论',
// Revision
'revision_delete_confirm' => '您确定要删除此修订版吗?',
- 'revision_restore_confirm' => 'Are you sure you want to restore this revision? The current page contents will be replaced.',
+ 'revision_restore_confirm' => '您确定要恢复到此修订版吗?恢复后原有内容将会被替换。',
'revision_delete_success' => '修订删除',
'revision_cannot_delete_latest' => '无法删除最新版本。'
];
\ No newline at end of file
'email_already_confirmed' => 'Email已被确认,请尝试登录。',
'email_confirmation_invalid' => '此确认令牌无效或已被使用,请重新注册。',
'email_confirmation_expired' => '确认令牌已过期,已发送新的确认电子邮件。',
+ 'email_confirmation_awaiting' => '需要认证账户的电子邮箱地址',
'ldap_fail_anonymous' => '使用匿名绑定的LDAP访问失败。',
'ldap_fail_authed' => '带有标识名称和密码的LDAP访问失败。',
'ldap_extension_not_installed' => '未安装LDAP PHP扩展程序',
'ldap_cannot_connect' => '无法连接到ldap服务器,初始连接失败',
+ 'saml_already_logged_in' => '您已经登陆了',
+ 'saml_user_not_registered' => '用户 :name 未注册且自动注册功能已被禁用',
+ 'saml_no_email_address' => '无法找到有效Email地址,此用户数据由外部身份验证系统托管',
+ 'saml_invalid_response_id' => '来自外部身份验证系统的请求没有被本应用程序认证,在登录后返回上一页可能会导致此问题。',
+ 'saml_fail_authed' => '使用 :system 登录失败,登录系统未返回成功登录授权信息。',
'social_no_action_defined' => '没有定义行为',
'social_login_bad_response' => "在 :socialAccount 登录时遇到错误:\n:error",
'social_account_in_use' => ':socialAccount 账户已被使用,请尝试通过 :socialAccount 选项登录。',
'social_account_register_instructions' => '如果您还没有帐户,您可以使用 :socialAccount 选项注册账户。',
'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”,请确保它可写入服务器。',
'cannot_get_image_from_url' => '无法从 :url 中获取图片',
'cannot_create_thumbs' => '服务器无法创建缩略图,请检查您是否安装了GD PHP扩展。',
'server_upload_limit' => '服务器不允许上传此大小的文件。 请尝试较小的文件。',
- 'uploaded' => 'The server does not allow uploads of this size. Please try a smaller file size.',
+ 'uploaded' => '服务器不允许上传此大小的文件。 请尝试较小的文件。',
'image_upload_error' => '上传图片时发生错误',
'image_upload_type_error' => '上传的图像类型无效',
'file_upload_timeout' => '文件上传已超时。',
'role_cannot_be_edited' => '无法编辑该角色',
'role_system_cannot_be_deleted' => '无法删除系统角色',
'role_registration_default_cannot_delete' => '无法删除设置为默认注册的角色',
- 'role_cannot_remove_only_admin' => 'This user is the only user assigned to the administrator role. Assign the administrator role to another user before attempting to remove it here.',
+ 'role_cannot_remove_only_admin' => '该用户是分配给管理员角色的唯一用户。 在尝试在此处删除管理员角色之前,请将其分配给其他用户。',
// Comments
'comment_list' => '提取评论时出现错误。',
'app_down' => ':appName现在正在关闭',
'back_soon' => '请耐心等待网站的恢复。',
+ // API errors
+ 'api_no_authorization_found' => '未在请求中找到授权令牌',
+ 'api_bad_authorization_format' => '已在请求中找到授权令牌,但格式貌似不正确',
+ 'api_user_token_not_found' => '未能找到所匹配的API提供的授权令牌',
+ 'api_incorrect_token_secret' => '给已给出的API所提供的密钥不正确',
+ 'api_user_no_api_permission' => '使用过的 API 令牌的所有者没有进行API 调用的权限',
+ 'api_user_token_expired' => '所使用的身份令牌已过期',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => '发送测试电子邮件时出现错误:',
+
];
'settings_save_success' => '设置已保存',
// App Settings
- 'app_customization' => 'Customization',
- 'app_features_security' => 'Features & Security',
- 'app_name' => 'App名',
+ 'app_customization' => '定制',
+ 'app_features_security' => '功能与安全',
+ 'app_name' => '站点名称',
'app_name_desc' => '此名称将在网页头部和Email中显示。',
'app_name_header' => '在网页头部显示应用名?',
- 'app_public_access' => 'Public Access',
- 'app_public_access_desc' => 'Enabling this option will allow visitors, that are not logged-in, to access content in your BookStack instance.',
- 'app_public_access_desc_guest' => 'Access for public visitors can be controlled through the "Guest" user.',
- 'app_public_access_toggle' => 'Allow public access',
+ 'app_public_access' => '访问权限',
+ 'app_public_access_desc' => '启用此选项将允许未登录的用户访问站点内容。',
+ 'app_public_access_desc_guest' => '可以通过“访客”用户来控制公共访问者的访问。',
+ 'app_public_access_toggle' => '允许公众访问',
'app_public_viewing' => '允许公众查看?',
'app_secure_images' => '启用更高安全性的图片上传?',
- 'app_secure_images_toggle' => 'Enable higher security image uploads',
+ 'app_secure_images_toggle' => '启用更高安全性的图片上传',
'app_secure_images_desc' => '出于性能原因,所有图像都是公开的。这个选项会在图像的网址前添加一个随机的,难以猜测的字符串,从而使直接访问变得困难。',
'app_editor' => '页面编辑器',
'app_editor_desc' => '选择所有用户将使用哪个编辑器来编辑页面。',
'app_custom_html' => '自定义HTML头部内容',
'app_custom_html_desc' => '此处添加的任何内容都将插入到每个页面的<head>部分的底部,这对于覆盖样式或添加分析代码很方便。',
- 'app_custom_html_disabled_notice' => 'Custom HTML head content is disabled on this settings page to ensure any breaking changes can be reverted.',
- 'app_logo' => 'App Logo',
+ 'app_custom_html_disabled_notice' => '在此设置页面上禁用了自定义HTML标题内容,以确保可以恢复所有重大更改。',
+ 'app_logo' => '站点Logo',
'app_logo_desc' => '这个图片的高度应该为43px。<br>大图片将会被缩小。',
- 'app_primary_color' => 'App主色',
+ 'app_primary_color' => '站点主色',
'app_primary_color_desc' => '这应该是一个十六进制值。<br>保留为空以重置为默认颜色。',
- 'app_homepage' => 'App主页',
+ 'app_homepage' => '站点主页',
'app_homepage_desc' => '选择要在主页上显示的页面来替换默认的视图,选定页面的访问权限将被忽略。',
- 'app_homepage_select' => 'Select a page',
+ 'app_homepage_select' => '选择一个页面',
'app_disable_comments' => '禁用评论',
- 'app_disable_comments_toggle' => 'Disable comments',
- 'app_disable_comments_desc' => '在App的所有页面上禁用评论,现有评论也不会显示出来。',
+ 'app_disable_comments_toggle' => '禁用评论',
+ 'app_disable_comments_desc' => '在站点的所有页面上禁用评论,现有评论也不会显示出来。',
+
+ // Color settings
+ 'content_colors' => '内容颜色',
+ 'content_colors_desc' => '设置页面组织层次中所有元素的颜色。建议选择与默认颜色相似的亮度的颜色。',
+ 'bookshelf_color' => '书架颜色',
+ 'book_color' => '图书颜色',
+ 'chapter_color' => '章节颜色',
+ 'page_color' => '页面颜色',
+ 'page_draft_color' => '页面草稿颜色',
// Registration Settings
'reg_settings' => '注册设置',
- 'reg_enable' => 'Enable Registration',
- 'reg_enable_toggle' => 'Enable registration',
- 'reg_enable_desc' => 'When registration is enabled user will be able to sign themselves up as an application user. Upon registration they are given a single, default user role.',
+ 'reg_enable' => '启用注册',
+ 'reg_enable_toggle' => '启用注册',
+ 'reg_enable_desc' => '启用注册后,用户将可以自己注册为站点用户。 注册后,他们将获得一个默认的单一用户角色。',
'reg_default_role' => '注册后的默认用户角色',
- 'reg_email_confirmation' => 'Email Confirmation',
- 'reg_email_confirmation_toggle' => 'Require email confirmation',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
+ 'reg_email_confirmation' => '邮箱确认n',
+ 'reg_email_confirmation_toggle' => '需要电子邮件确认',
'reg_confirm_email_desc' => '如果使用域名限制,则需要Email验证,并且该值将被忽略。',
'reg_confirm_restrict_domain' => '域名限制',
'reg_confirm_restrict_domain_desc' => '输入您想要限制注册的Email域名列表,用逗号隔开。在被允许与应用程序交互之前,用户将被发送一封Email来确认他们的地址。<br>注意用户在注册成功后可以修改他们的Email地址。',
'maint_image_cleanup_warning' => '发现了 :count 张可能未使用的图像。您确定要删除这些图像吗?',
'maint_image_cleanup_success' => '找到并删除了 :count 张可能未使用的图像!',
'maint_image_cleanup_nothing_found' => '找不到未使用的图像,没有删除!',
+ 'maint_send_test_email' => '发送测试电子邮件',
+ 'maint_send_test_email_desc' => '这将发送测试邮件到您的个人资料中指定的电子邮件地址。',
+ 'maint_send_test_email_run' => '发送测试邮件',
+ 'maint_send_test_email_success' => '电子邮件已发送至 :address',
+ 'maint_send_test_email_mail_subject' => '测试电子邮件',
+ 'maint_send_test_email_mail_greeting' => '邮件发送功能看起来工作正常!',
+ 'maint_send_test_email_mail_text' => '恭喜!您收到了此邮件通知,你的电子邮件设置看起来配置正确。',
// Role Settings
'roles' => '角色',
'role_manage_roles' => '管理角色与角色权限',
'role_manage_entity_permissions' => '管理所有图书,章节和页面的权限',
'role_manage_own_entity_permissions' => '管理自己的图书,章节和页面的权限',
- 'role_manage_page_templates' => 'Manage page templates',
+ 'role_manage_page_templates' => '管理页面模板',
+ 'role_access_api' => '访问系统 API',
'role_manage_settings' => '管理App设置',
'role_asset' => '资源许可',
'role_asset_desc' => '对系统内资源的默认访问许可将由这些权限控制。单独设置在书籍,章节和页面上的权限将覆盖这里的权限设定。',
'user_profile' => '用户资料',
'users_add_new' => '添加用户',
'users_search' => '搜索用户',
- 'users_details' => 'User Details',
- 'users_details_desc' => 'Set a display name and an email address for this user. The email address will be used for logging into the application.',
- 'users_details_desc_no_email' => 'Set a display name for this user so others can recognise them.',
+ 'users_details' => '用户详细资料',
+ 'users_details_desc' => '设置该用户的显示名称和电子邮件地址。 该电子邮件地址将用于登录本站。',
+ 'users_details_desc_no_email' => '设置此用户的昵称,以便其他人识别。',
'users_role' => '用户角色',
- 'users_role_desc' => 'Select which roles this user will be assigned to. If a user is assigned to multiple roles the permissions from those roles will stack and they will receive all abilities of the assigned roles.',
- 'users_password' => 'User Password',
- 'users_password_desc' => 'Set a password used to log-in to the application. This must be at least 6 characters long.',
- 'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
- 'users_send_invite_option' => 'Send user invite email',
+ 'users_role_desc' => '选择将分配给该用户的角色。 如果将一个用户分配给多个角色,则这些角色的权限将堆叠在一起,并且他们将获得分配的角色的所有功能。',
+ 'users_password' => '用户密码',
+ 'users_password_desc' => '设置用于登录应用程序的密码。 该长度必须至少为6个字符。',
+ 'users_send_invite_text' => '您可以向该用户发送邀请电子邮件,允许他们设置自己的密码,否则,您可以自己设置他们的密码。',
+ 'users_send_invite_option' => '发送邀请用户电子邮件',
'users_external_auth_id' => '外部身份认证ID',
- 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your LDAP system.',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
'users_password_warning' => '如果您想更改密码,请填写以下内容:',
'users_system_public' => '此用户代表访问您的App的任何访客。它不能用于登录,而是自动分配。',
'users_delete' => '删除用户',
'users_avatar' => '用户头像',
'users_avatar_desc' => '当前图片应该为约256px的正方形。',
'users_preferred_language' => '语言',
- 'users_preferred_language_desc' => 'This option will change the language used for the user-interface of the application. This will not affect any user-created content.',
+ 'users_preferred_language_desc' => '此选项将更改用于应用程序用户界面的语言。 这不会影响任何用户创建的内容。',
'users_social_accounts' => '社交账户',
'users_social_accounts_info' => '在这里,您可以绑定您的其他帐户,以便更快更轻松地登录。如果您选择解除绑定,之后将不能通过此社交账户登录,请设置社交账户来取消本App的访问权限。',
'users_social_connect' => '绑定账户',
'users_social_disconnect' => '解除绑定账户',
'users_social_connected' => ':socialAccount 账户已经成功绑定到您的资料。',
'users_social_disconnected' => ':socialAccount 账户已经成功解除绑定。',
+ 'users_api_tokens' => 'API令牌',
+ 'users_api_tokens_none' => '没有创建任何API令牌给此用户',
+ 'users_api_tokens_create' => '创建令牌',
+ 'users_api_tokens_expires' => '过期',
+ 'users_api_tokens_docs' => 'API文档',
+
+ // API Tokens
+ 'user_api_token_create' => '创建 API 令牌',
+ 'user_api_token_name' => '姓名',
+ 'user_api_token_name_desc' => '请给您的可读令牌一个命名以在未来提醒您它的预期用途',
+ '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请求中才能提供。',
+ 'user_api_token_secret' => '令牌密钥',
+ 'user_api_token_secret_desc' => '这是此令牌系统生成的密钥,需要在API请求中才可以提供。 这只会显示一次,因此请将其复制到安全的地方。',
+ 'user_api_token_created' => '创建的令牌:timeAgo',
+ 'user_api_token_updated' => '令牌更新:timeAgo',
+ 'user_api_token_delete' => '删除令牌',
+ 'user_api_token_delete_warning' => '这将会从系统中完全删除名为“令牌命名”的API令牌',
+ 'user_api_token_delete_confirm' => '您确定要删除此API令牌吗?',
+ 'user_api_token_delete_success' => '成功删除API令牌',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => '丹麦',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
'digits' => ':attribute 必须为:digits位数。',
'digits_between' => ':attribute 必须为:min到:max位数。',
'email' => ':attribute 必须是有效的电子邮件地址。',
- 'ends_with' => 'The :attribute must end with one of the following: :values',
+ 'ends_with' => ' :attribute 必须以 :values 后缀结尾',
'filled' => ':attribute 字段是必需的。',
'gt' => [
- 'numeric' => 'The :attribute must be greater than :value.',
- 'file' => 'The :attribute must be greater than :value kilobytes.',
- 'string' => 'The :attribute must be greater than :value characters.',
- 'array' => 'The :attribute must have more than :value items.',
+ 'numeric' => ':attribute必须大于 :value.',
+ 'file' => ':attribute 必须大于 :value k',
+ 'string' => ':attribute 必须大于 :value 字符。',
+ 'array' => ':attribute 必须包含多个 :value 项目。',
],
'gte' => [
- 'numeric' => 'The :attribute must be greater than or equal :value.',
- 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
- 'string' => 'The :attribute must be greater than or equal :value characters.',
- 'array' => 'The :attribute must have :value items or more.',
+ 'numeric' => ':attribute 必须大于或等于 :value.',
+ 'file' => ':attribute 必须大于或等于 :value k。',
+ 'string' => ':attribute 必须大于或等于 :value 字符。',
+ 'array' => ':attribute 必须具有 :value 项或更多',
],
'exists' => '选中的 :attribute 无效。',
'image' => ':attribute 必须是一个图片。',
- 'image_extension' => 'The :attribute must have a valid & supported image extension.',
+ 'image_extension' => ':attribute 必须具有有效且受支持的图像扩展名。',
'in' => '选中的 :attribute 无效。',
'integer' => ':attribute 必须是一个整数。',
'ip' => ':attribute 必须是一个有效的IP地址。',
- 'ipv4' => 'The :attribute must be a valid IPv4 address.',
- 'ipv6' => 'The :attribute must be a valid IPv6 address.',
- 'json' => 'The :attribute must be a valid JSON string.',
+ 'ipv4' => ':attribute 必须是有效的IPv4地址。',
+ 'ipv6' => ':attribute必须是有效的IPv6地址。',
+ 'json' => ':attribute 必须是JSON类型.',
'lt' => [
- 'numeric' => 'The :attribute must be less than :value.',
- 'file' => 'The :attribute must be less than :value kilobytes.',
- 'string' => 'The :attribute must be less than :value characters.',
- 'array' => 'The :attribute must have less than :value items.',
+ 'numeric' => ':attribute 必须小于 :value.',
+ 'file' => ':attribute 必须小于 :value k。',
+ 'string' => ':attribute 必须小于 :value 字符。',
+ 'array' => ':attribute 必须小于 :value 项.',
],
'lte' => [
- 'numeric' => 'The :attribute must be less than or equal :value.',
- 'file' => 'The :attribute must be less than or equal :value kilobytes.',
- 'string' => 'The :attribute must be less than or equal :value characters.',
- 'array' => 'The :attribute must not have more than :value items.',
+ 'numeric' => ':attribute 必须小于或等于 :value.',
+ 'file' => ':attribute 必须小于或等于 :value k。',
+ 'string' => ':attribute 必须小于或等于 :value 字符。',
+ 'array' => ':attribute 不得超过 :value 项。',
],
'max' => [
'numeric' => ':attribute 不能超过:max。',
'string' => ':attribute 至少为:min个字符。',
'array' => ':attribute 至少有:min项。',
],
- 'no_double_extension' => 'The :attribute must only have a single file extension.',
+ 'no_double_extension' => ':attribute 必须具有一个扩展名。',
'not_in' => '选中的 :attribute 无效。',
- 'not_regex' => 'The :attribute format is invalid.',
+ 'not_regex' => ':attribute 格式错误。',
'numeric' => ':attribute 必须是一个数。',
'regex' => ':attribute 格式无效。',
'required' => ':attribute 字段是必需的。',
'timezone' => ':attribute 必须是有效的区域。',
'unique' => ':attribute 已经被使用。',
'url' => ':attribute 格式无效。',
- 'uploaded' => 'The file could not be uploaded. The server may not accept files of this size.',
+ 'uploaded' => '无法上传文件。 服务器可能不接受此大小的文件。',
// Custom validation lines
'custom' => [
return [
'failed' => '使用者名稱或密碼錯誤。',
- 'throttle' => '您的登入次數過多,請在:seconds秒後重試。',
+ 'throttle' => '您的登入次數過多,請在:秒後重試。',
// Login & Register
'sign_up' => '註冊',
'password_confirm' => '確認密碼',
'password_hint' => '必須超過7個字元',
'forgot_password' => '忘記密碼?',
- 'remember_me' => '記住我',
+ 'remember_me' => '記住該賬戶密碼',
'ldap_email_hint' => '請輸入用於此帳號的電子郵件。',
'create_account' => '建立帳號',
- 'already_have_account' => 'Already have an account?',
- 'dont_have_account' => 'Don\'t have an account?',
+ 'already_have_account' => '已經擁有賬戶?',
+ 'dont_have_account' => '沒有賬戶?',
'social_login' => 'SNS登入',
'social_registration' => 'SNS註冊',
'social_registration_text' => '其他服務註冊/登入.',
'email_not_confirmed_resend_button' => '重新發送確認Email',
// User Invite
- 'user_invite_email_subject' => 'You have been invited to join :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_action' => 'Set Account Password',
- '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_success' => 'Password set, you now have access to :appName!'
+ 'user_invite_email_subject' => '您被邀請加入:bookstack!',
+ 'user_invite_email_greeting' => '我們為您在bookstack上創建了一個新賬戶。',
+ 'user_invite_email_text' => '請點擊下面的按鈕設置賬戶密碼并獲取訪問權限:',
+ 'user_invite_email_action' => '請設置賬戶密碼',
+ 'user_invite_page_welcome' => '歡迎使用:bookstack',
+ 'user_invite_page_text' => '要完善您的賬戶并獲取訪問權限,您需要設置一個密碼,該密碼將在以後訪問時用於登陸:bookstack',
+ 'user_invite_page_confirm_button' => '請確定密碼',
+ 'user_invite_success' => '密碼已設置,您現在可以進入:bookstack了啦'
];
\ No newline at end of file
'save' => '儲存',
'continue' => '繼續',
'select' => '選擇',
- 'toggle_all' => 'Toggle All',
+ 'toggle_all' => '轉換全部',
'more' => '更多',
// Form Labels
// Actions
'actions' => '動作',
'view' => '檢視',
- 'view_all' => 'View All',
+ 'view_all' => '驗視全部',
'create' => '建立',
'update' => '更新',
'edit' => '編輯',
'reset' => '重置',
'remove' => '刪除',
'add' => '新增',
+ 'fullscreen' => '全屏顯示',
// Sort Options
- 'sort_options' => 'Sort Options',
- 'sort_direction_toggle' => 'Sort Direction Toggle',
- 'sort_ascending' => 'Sort Ascending',
- 'sort_descending' => 'Sort Descending',
- 'sort_name' => 'Name',
- 'sort_created_at' => 'Created Date',
- 'sort_updated_at' => 'Updated Date',
+ 'sort_options' => '選項分類',
+ 'sort_direction_toggle' => '順序方向切換',
+ 'sort_ascending' => '升序',
+ 'sort_descending' => '降序',
+ 'sort_name' => '名稱',
+ 'sort_created_at' => '創建日期',
+ 'sort_updated_at' => '更新日期',
// Misc
'deleted_user' => '刪除使用者',
'grid_view' => '縮圖檢視',
'list_view' => '清單撿視',
'default' => '預設',
- 'breadcrumb' => 'Breadcrumb',
+ 'breadcrumb' => '導覽路徑',
// Header
- 'profile_menu' => 'Profile Menu',
+ 'profile_menu' => '個人資料菜單',
'view_profile' => '檢視資料',
'edit_profile' => '編輯資料',
// Layout tabs
- 'tab_info' => 'Info',
- 'tab_content' => 'Content',
+ 'tab_info' => '訊息',
+ 'tab_content' => '內容',
// Email Content
'email_action_help' => '如果您無法點選“:actionText”按鈕,請將下面的網址複製到您的瀏覽器中打開:',
- 'email_rights' => 'All rights reserved',
+ 'email_rights' => '版權所有',
];
'recently_updated_pages' => '最新頁面',
'recently_created_chapters' => '最近建立的章節',
'recently_created_books' => '最近建立的書本',
- 'recently_created_shelves' => 'Recently Created Shelves',
+ 'recently_created_shelves' => '最近建立的章節',
'recently_update' => '最近更新',
'recently_viewed' => '最近看過',
'recent_activity' => '近期活動',
// Shelves
'shelf' => '書架',
'shelves' => '書架',
- 'x_shelves' => ':count Shelf|:count Shelves',
+ 'x_shelves' => ':架|:章節',
'shelves_long' => '書架',
'shelves_empty' => '不存在已建立的書架',
'shelves_create' => '建立書架',
'shelves_popular' => '熱門書架',
'shelves_new' => '新書架',
- 'shelves_new_action' => 'New Shelf',
+ 'shelves_new_action' => '建立新的書架',
'shelves_popular_empty' => '最受歡迎的書架將出現在這裡。',
'shelves_new_empty' => '最近建立的書架將出現在這裡。',
'shelves_save' => '儲存書架',
'books_popular' => '熱門書本',
'books_recent' => '最近的書',
'books_new' => '新書',
- 'books_new_action' => 'New Book',
+ 'books_new_action' => '新增一本書',
'books_popular_empty' => '最受歡迎的書本將出現在這裡。',
'books_new_empty' => '最近建立的書本將出現在這裡。',
'books_create' => '建立書本',
'books_navigation' => '書本導覽',
'books_sort' => '排序書本內容',
'books_sort_named' => '排序書本「:bookName」',
- 'books_sort_name' => 'Sort by Name',
- 'books_sort_created' => 'Sort by Created Date',
- 'books_sort_updated' => 'Sort by Updated Date',
- 'books_sort_chapters_first' => 'Chapters First',
- 'books_sort_chapters_last' => 'Chapters Last',
+ 'books_sort_name' => '按名稱排序',
+ 'books_sort_created' => '按創建時間排序',
+ 'books_sort_updated' => '按更新時間排序',
+ 'books_sort_chapters_first' => '第一章',
+ 'books_sort_chapters_last' => '最後一章',
'books_sort_show_other' => '顯示其他書本',
'books_sort_save' => '儲存新順序',
'pages_delete_confirm' => '您確定要刪除此頁面嗎?',
'pages_delete_draft_confirm' => '您確定要刪除此草稿頁面嗎?',
'pages_editing_named' => '正在編輯頁面“:pageName”',
- 'pages_edit_draft_options' => 'Draft Options',
+ 'pages_edit_draft_options' => '草稿選項',
'pages_edit_save_draft' => '儲存草稿',
'pages_edit_draft' => '編輯頁面草稿',
'pages_editing_draft' => '正在編輯草稿',
'pages_revisions_created_by' => '建立者',
'pages_revisions_date' => '修訂日期',
'pages_revisions_number' => '#',
- 'pages_revisions_numbered' => 'Revision #:id',
- 'pages_revisions_numbered_changes' => 'Revision #:id Changes',
+ 'pages_revisions_numbered' => '修訂編號:id',
+ 'pages_revisions_numbered_changes' => '修訂編號:id 更改',
'pages_revisions_changelog' => '更新說明',
'pages_revisions_changes' => '說明',
'pages_revisions_current' => '目前版本',
],
'pages_draft_discarded' => '草稿已丟棄,編輯器已更新到目前頁面內容。',
'pages_specific' => '指定頁面',
- 'pages_is_template' => 'Page Template',
+ 'pages_is_template' => '頁面模板',
// Editor Sidebar
'page_tags' => '頁面標籤',
'book_tags' => '書本標籤',
'shelf_tags' => '書架標籤',
'tag' => '標籤',
- 'tags' => 'Tags',
- 'tag_name' => 'Tag Name',
+ 'tags' => '標籤',
+ 'tag_name' => '標籤名稱',
'tag_value' => '標籤值 (非必要)',
'tags_explain' => "加入一些標籤以更好地對您的內容進行分類。\n您可以為標籤分配一個值,以進行更深入的組織。",
'tags_add' => '加入另一個標籤',
- 'tags_remove' => 'Remove this tag',
+ 'tags_remove' => '移除此標籤',
'attachments' => '附件',
'attachments_explain' => '上傳一些檔案或附加連結顯示在您的網頁上。將顯示在在頁面的側邊欄。',
'attachments_explain_instant_save' => '這裡的更改將立即儲存。Changes here are saved instantly.',
'attachments_file_uploaded' => '附件上傳成功',
'attachments_file_updated' => '附件更新成功',
'attachments_link_attached' => '連結成功附加到頁面',
- 'templates' => 'Templates',
- 'templates_set_as_template' => 'Page is a template',
- 'templates_explain_set_as_template' => 'You can set this page as a template so its contents be utilized when creating other pages. Other users will be able to use this template if they have view permissions for this page.',
- 'templates_replace_content' => 'Replace page content',
- 'templates_append_content' => 'Append to page content',
- 'templates_prepend_content' => 'Prepend to page content',
+ 'templates' => '樣本',
+ 'templates_set_as_template' => '頁面是模板',
+ 'templates_explain_set_as_template' => '您可以將此頁面設置為模板,以便在創建其他頁面時利用其內容。 如果其他用戶對此頁面擁有查看權限,則將可以使用此模板。',
+ 'templates_replace_content' => '替換頁面內容',
+ 'templates_append_content' => '附加到頁面內容',
+ 'templates_prepend_content' => '前置頁面內容',
// Profile View
'profile_user_for_x' => '來這裡:time了',
'profile_not_created_pages' => ':userName尚未建立任何頁面',
'profile_not_created_chapters' => ':userName尚未建立任何章節',
'profile_not_created_books' => ':userName尚未建立任何書本',
- 'profile_not_created_shelves' => ':userName has not created any shelves',
+ 'profile_not_created_shelves' => ':用戶名 沒有創建任何書架',
// Comments
'comment' => '評論',
// Revision
'revision_delete_confirm' => '您確定要刪除此修訂版嗎?',
- 'revision_restore_confirm' => 'Are you sure you want to restore this revision? The current page contents will be replaced.',
+ 'revision_restore_confirm' => '您確定要還原此修訂版嗎? 當前頁面內容將被替換。',
'revision_delete_success' => '修訂刪除',
'revision_cannot_delete_latest' => '無法刪除最新版本。'
];
\ No newline at end of file
'email_already_confirmed' => 'Email已被確認,請嘗試登錄。',
'email_confirmation_invalid' => '此確認 Session 無效或已被使用,請重新註冊。',
'email_confirmation_expired' => '確認 Session 已過期,已發送新的確認電子郵件。',
+ 'email_confirmation_awaiting' => '用於此賬戶的電子郵箱需要認證',
'ldap_fail_anonymous' => '使用匿名綁定的LDAP進入失敗。',
'ldap_fail_authed' => '帶有標識名稱和密碼的LDAP進入失敗。',
'ldap_extension_not_installed' => '未安裝LDAP PHP外掛程式',
'ldap_cannot_connect' => '無法連接到ldap伺服器,第一次連接失敗',
+ 'saml_already_logged_in' => '已登陸',
+ 'saml_user_not_registered' => '用戶:name未註冊,自動註冊不可用',
+ 'saml_no_email_address' => '在外部認證系統提供的數據中找不到該用戶的電子郵件地址',
+ 'saml_invalid_response_id' => '該應用程序啟動的進程無法識別來自外部身份驗證系統的請求。 登錄後返回可能會導致此問題。',
+ 'saml_fail_authed' => '使用:system登錄失敗,系統未提供成功的授權',
'social_no_action_defined' => '沒有定義行為',
'social_login_bad_response' => "在 :socialAccount 登錄時遇到錯誤:\n:error",
'social_account_in_use' => ':socialAccount 帳號已被使用,請嘗試透過 :socialAccount 選項登錄。',
'social_account_register_instructions' => '如果您還沒有帳號,您可以使用 :socialAccount 選項註冊帳號。',
'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”,請確保它可寫入伺服器。',
'role_cannot_be_edited' => '無法編輯這個角色',
'role_system_cannot_be_deleted' => '無法刪除系統角色',
'role_registration_default_cannot_delete' => '無法刪除設定為預設註冊的角色',
- 'role_cannot_remove_only_admin' => 'This user is the only user assigned to the administrator role. Assign the administrator role to another user before attempting to remove it here.',
+ 'role_cannot_remove_only_admin' => '該用戶是分配作為管理員職務的唯一用戶。 在嘗試在此處刪除管理員職務之前,請將其分配給其他用戶。',
// Comments
'comment_list' => '讀取評論時發生錯誤。',
'app_down' => ':appName現在正在關閉',
'back_soon' => '請耐心等待網站的恢複。',
+ // API errors
+ 'api_no_authorization_found' => '在請求上找不到授權令牌',
+ 'api_bad_authorization_format' => '在請求中找到授權令牌,但格式似乎不正確',
+ 'api_user_token_not_found' => '找不到提供的授權令牌的匹配API令牌',
+ 'api_incorrect_token_secret' => '給定使用的API令牌提供的密鑰不正確',
+ 'api_user_no_api_permission' => '使用的API令牌的擁有者者無權進行API調用',
+ 'api_user_token_expired' => '授權令牌已過期',
+
+ // Settings & Maintenance
+ 'maintenance_test_email_failure' => 'Error thrown when sending a test email:',
+
];
'settings_save_success' => '設定已儲存',
// App Settings
- 'app_customization' => 'Customization',
- 'app_features_security' => 'Features & Security',
+ 'app_customization' => '自定義',
+ 'app_features_security' => '功能與安全',
'app_name' => 'App名',
'app_name_desc' => '此名稱將在網頁頂端和Email中顯示。',
'app_name_header' => '在網頁頂端顯示應用名稱?',
- 'app_public_access' => 'Public Access',
- 'app_public_access_desc' => 'Enabling this option will allow visitors, that are not logged-in, to access content in your BookStack instance.',
- 'app_public_access_desc_guest' => 'Access for public visitors can be controlled through the "Guest" user.',
- 'app_public_access_toggle' => 'Allow public access',
+ 'app_public_access' => '公共訪問',
+ 'app_public_access_desc' => '啟用此選項將允許未登錄的訪問者訪問BookStack實例中的內容。',
+ 'app_public_access_desc_guest' => '可以通過“訪客”控制公共訪問者的訪問。',
+ 'app_public_access_toggle' => '允許公開訪問',
'app_public_viewing' => '開放公開閱覽?',
'app_secure_images' => '啟用更高安全性的圖片上傳?',
- 'app_secure_images_toggle' => 'Enable higher security image uploads',
+ 'app_secure_images_toggle' => '啟用更高安全性的圖片上傳',
'app_secure_images_desc' => '出於效能考量,所有圖片都是公開的。這個選項會在圖片的網址前加入一個隨機並難以猜測的字元串,從而使直接進入變得困難。',
'app_editor' => '頁面編輯器',
'app_editor_desc' => '選擇所有使用者將使用哪個編輯器來編輯頁面。',
'app_custom_html' => '自訂HTML頂端內容',
'app_custom_html_desc' => '此處加入的任何內容都將插入到每個頁面的<head>部分的底部,這對於覆蓋樣式或加入分析程式碼很方便。',
- 'app_custom_html_disabled_notice' => 'Custom HTML head content is disabled on this settings page to ensure any breaking changes can be reverted.',
+ 'app_custom_html_disabled_notice' => '在此設置頁面上禁用了自定義HTML標題內容,以確保可以恢復所有重大更改。',
'app_logo' => 'App Logo',
'app_logo_desc' => '這個圖片的高度應該為43px。<br>大圖片將會被縮小。',
'app_primary_color' => 'App主要配色',
'app_homepage_desc' => '選擇要做為首頁的頁面,這將會替換預設首頁,而且這個頁面的權限設定將被忽略。',
'app_homepage_select' => '預設首頁選擇',
'app_disable_comments' => '關閉評論',
- 'app_disable_comments_toggle' => 'Disable comments',
+ 'app_disable_comments_toggle' => '禁用評論',
'app_disable_comments_desc' => '在App的所有頁面上關閉評論,已經存在的評論也不會顯示。',
+ // Color settings
+ 'content_colors' => '內容顏色',
+ 'content_colors_desc' => '為頁面組織層次結構中的所有元素設置顏色。 為了提高可讀性,建議選擇亮度與默認顏色相似的顏色。',
+ 'bookshelf_color' => '书架顏色',
+ 'book_color' => '书本颜色',
+ 'chapter_color' => '章节颜色',
+ 'page_color' => '页面颜色',
+ 'page_draft_color' => '頁面草稿顏色',
+
// Registration Settings
'reg_settings' => '註冊設定',
- 'reg_enable' => 'Enable Registration',
- 'reg_enable_toggle' => 'Enable registration',
- 'reg_enable_desc' => 'When registration is enabled user will be able to sign themselves up as an application user. Upon registration they are given a single, default user role.',
+ 'reg_enable' => '啟用註冊',
+ 'reg_enable_toggle' => '啟用註冊',
+ 'reg_enable_desc' => '啟用註冊後,用戶將可以自己註冊為應用程序用戶,註冊後,他們將獲得一個默認的單一用戶角色。',
'reg_default_role' => '註冊後的預設使用者角色',
- 'reg_email_confirmation' => 'Email Confirmation',
- 'reg_email_confirmation_toggle' => 'Require email confirmation',
+ 'reg_enable_external_warning' => 'The option above is ignored while external LDAP or SAML authentication is active. User accounts for non-existing members will be auto-created if authentication, against the external system in use, is successful.',
+ 'reg_email_confirmation' => '电子邮箱认证',
+ 'reg_email_confirmation_toggle' => '需要電子郵件確認',
'reg_confirm_email_desc' => '如果使用網域名稱限制,則需要Email驗證,並且本設定將被忽略。',
'reg_confirm_restrict_domain' => '網域名稱限制',
'reg_confirm_restrict_domain_desc' => '輸入您想要限制註冊的Email域域名稱列表,用逗號隔開。在被允許與本系統連結之前,使用者會收到一封Email來確認他們的位址。<br>注意,使用者在註冊成功後可以修改他們的Email位址。',
'maint_image_cleanup_warning' => '發現了 :count 張可能未使用的圖像。您確定要刪除這些圖像嗎?',
'maint_image_cleanup_success' => '找到並刪除了 :count 張可能未使用的圖像!',
'maint_image_cleanup_nothing_found' => '找不到未使用的圖像,沒有刪除!',
+ 'maint_send_test_email' => '發送測試電子郵件',
+ 'maint_send_test_email_desc' => '這會將測試電子郵件發送到您的個人資料中指定的電子郵件地址。',
+ 'maint_send_test_email_run' => '發送測試郵件',
+ 'maint_send_test_email_success' => '郵件發送到:地址',
+ 'maint_send_test_email_mail_subject' => '測試郵件',
+ 'maint_send_test_email_mail_greeting' => '電子郵件傳遞似乎有效!',
+ 'maint_send_test_email_mail_text' => '恭喜你! 收到此電子郵件通知時,您的電子郵件設置已經認證成功。',
// Role Settings
'roles' => '角色',
'role_manage_roles' => '管理角色與角色權限',
'role_manage_entity_permissions' => '管理所有圖書,章節和頁面的權限',
'role_manage_own_entity_permissions' => '管理自己的圖書,章節和頁面的權限',
- 'role_manage_page_templates' => 'Manage page templates',
+ 'role_manage_page_templates' => '管理頁面模板',
+ 'role_access_api' => '存取系統API',
'role_manage_settings' => '管理App設定',
'role_asset' => '資源項目',
'role_asset_desc' => '對系統內資源的預設權限將由這裡的權限控制。若有單獨設定在書本、章節和頁面上的權限,將會覆蓋這裡的權限設定。',
'user_profile' => '使用者資料',
'users_add_new' => '加入使用者',
'users_search' => '搜尋使用者',
- 'users_details' => 'User Details',
- 'users_details_desc' => 'Set a display name and an email address for this user. The email address will be used for logging into the application.',
- 'users_details_desc_no_email' => 'Set a display name for this user so others can recognise them.',
+ 'users_details' => '用戶詳情',
+ 'users_details_desc' => '請設置用戶的顯示名稱和電子郵件地址, 該電子郵件地址將用於登錄該應用。',
+ 'users_details_desc_no_email' => '設置一個用戶的顯示名稱,以便其他人可以認出你。',
'users_role' => '使用者角色',
- 'users_role_desc' => 'Select which roles this user will be assigned to. If a user is assigned to multiple roles the permissions from those roles will stack and they will receive all abilities of the assigned roles.',
- 'users_password' => 'User Password',
- 'users_password_desc' => 'Set a password used to log-in to the application. This must be at least 6 characters long.',
- 'users_send_invite_text' => 'You can choose to send this user an invitation email which allows them to set their own password otherwise you can set their password yourself.',
- 'users_send_invite_option' => 'Send user invite email',
+ 'users_role_desc' => '選擇一個將分配給該用戶的角色。 如果將一個用戶分配給多個角色,則這些角色的權限將堆疊在一起,並且他們將獲得分配的角色的所有功能。',
+ 'users_password' => '用戶密碼',
+ 'users_password_desc' => '設置用於登錄賬戶的密碼, 密碼長度必須至少為6個字符。',
+ 'users_send_invite_text' => '您可以選擇向該用戶發送邀請電子郵件,允許他們設置自己的密碼,或者您可以自己設置他們的密碼。',
+ 'users_send_invite_option' => '向用戶發送邀請電子郵件',
'users_external_auth_id' => '外部身份驗證ID',
- 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your LDAP system.',
+ 'users_external_auth_id_desc' => 'This is the ID used to match this user when communicating with your external authentication system.',
'users_password_warning' => '如果您想更改密碼,請填寫以下內容:',
'users_system_public' => '此使用者代表進入您的App的任何訪客。它不能用於登入,而是自動分配。',
'users_delete' => '刪除使用者',
'users_avatar' => '使用者大頭照',
'users_avatar_desc' => '目前圖片應該為約256px的正方形。',
'users_preferred_language' => '語言',
- 'users_preferred_language_desc' => 'This option will change the language used for the user-interface of the application. This will not affect any user-created content.',
+ 'users_preferred_language_desc' => '此選項將更改用於應用用戶界面的語言,但 這不會影響任何用戶創建的內容。',
'users_social_accounts' => '社群網站帳號',
'users_social_accounts_info' => '在這里,您可以連結您的其他帳號,以便方便地登入。如果您選擇解除連結,之後將不能透過此社群網站帳號登入,請設定社群網站帳號來取消本系統p的進入權限。',
'users_social_connect' => '連結帳號',
'users_social_disconnect' => '解除連結帳號',
'users_social_connected' => ':socialAccount 帳號已經成功連結到您的資料。',
'users_social_disconnected' => ':socialAccount 帳號已經成功解除連結。',
+ 'users_api_tokens' => 'API令牌',
+ 'users_api_tokens_none' => '尚未為此用戶創建API令牌',
+ 'users_api_tokens_create' => '創建令牌',
+ 'users_api_tokens_expires' => '過期',
+ 'users_api_tokens_docs' => 'API檔案',
+
+ // API Tokens
+ 'user_api_token_create' => '創建 API 令牌',
+ 'user_api_token_name' => '名稱',
+ 'user_api_token_name_desc' => '給您的令牌一個易讀的名稱,以備將來提醒其預期的用途。',
+ '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請求中提供。',
+ 'user_api_token_secret' => '令牌密鑰',
+ 'user_api_token_secret_desc' => '這是此令牌的系統生成的密鑰,需要在API請求中提供。 這只會顯示一次,因此請將其複製到安全的地方。',
+ 'user_api_token_created' => '令牌已創建:time Ago',
+ 'user_api_token_updated' => '令牌已更新:timeAgo',
+ 'user_api_token_delete' => '刪除令牌',
+ 'user_api_token_delete_warning' => '這將從系統中完全刪除名稱為\':tokenName\'的API令牌。',
+ 'user_api_token_delete_confirm' => '您確定要刪除這個API令牌嗎?',
+ 'user_api_token_delete_success' => 'API令牌成功刪除',
//! If editing translations files directly please ignore this in all
//! languages apart from en. Content will be auto-copied from en.
'language_select' => [
'en' => 'English',
'ar' => 'العربية',
+ 'cs' => 'Česky',
+ 'da' => '丹麥',
'de' => 'Deutsch (Sie)',
'de_informal' => 'Deutsch (Du)',
'es' => 'Español',
'es_AR' => 'Español Argentina',
'fr' => 'Français',
+ 'hu' => 'Magyar',
+ 'it' => 'Italian',
+ 'ja' => '日本語',
+ 'ko' => '한국어',
'nl' => 'Nederlands',
+ 'pl' => 'Polski',
'pt_BR' => 'Português do Brasil',
+ 'ru' => 'Русский',
'sk' => 'Slovensky',
- 'cs' => 'Česky',
'sv' => 'Svenska',
- 'ko' => '한국어',
- 'ja' => '日本語',
- 'pl' => 'Polski',
- 'it' => 'Italian',
- 'ru' => 'Русский',
+ 'tr' => 'Türkçe',
'uk' => 'Українська',
+ 'vi' => 'Tiếng Việt',
'zh_CN' => '简体中文',
'zh_TW' => '繁體中文',
- 'hu' => 'Magyar',
- 'tr' => 'Türkçe',
]
//!////////////////////////////////
];
'digits' => ':attribute 必須為:digits位數。',
'digits_between' => ':attribute 必須為:min到:max位數。',
'email' => ':attribute 必須是有效的電子郵件位址。',
- 'ends_with' => 'The :attribute must end with one of the following: :values',
+ 'ends_with' => ':attribute必須以下列之一結尾::values',
'filled' => ':attribute 字段是必需的。',
'gt' => [
- 'numeric' => 'The :attribute must be greater than :value.',
- 'file' => 'The :attribute must be greater than :value kilobytes.',
- 'string' => 'The :attribute must be greater than :value characters.',
- 'array' => 'The :attribute must have more than :value items.',
+ 'numeric' => ':attribute必須大於:value。',
+ 'file' => ':attribute必須大於:value千字節。',
+ 'string' => ':attribute必須大於:value字符。',
+ 'array' => ':attribute必須包含比:value多的項目。',
],
'gte' => [
- 'numeric' => 'The :attribute must be greater than or equal :value.',
- 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
- 'string' => 'The :attribute must be greater than or equal :value characters.',
- 'array' => 'The :attribute must have :value items or more.',
+ 'numeric' => 'The :attribute必須大於或等於:value.',
+ 'file' => 'The :attribute必須大於或等於:value千字節。',
+ 'string' => 'The :attribute必須大於或等於:value字符。',
+ 'array' => 'The :attribute必須具有:value項或更多。',
],
'exists' => '選中的 :attribute 無效。',
'image' => ':attribute 必須是一個圖片。',
- 'image_extension' => 'The :attribute must have a valid & supported image extension.',
+ 'image_extension' => 'The :attribute必須具有有效且受支持的圖像擴展名.',
'in' => '選中的 :attribute 無效。',
'integer' => ':attribute 必須是一個整數。',
'ip' => ':attribute 必須是一個有效的IP位址。',
- 'ipv4' => 'The :attribute must be a valid IPv4 address.',
- 'ipv6' => 'The :attribute must be a valid IPv6 address.',
- 'json' => 'The :attribute must be a valid JSON string.',
+ 'ipv4' => 'The :attribute必須是有效的IPv4地址。',
+ 'ipv6' => 'The :attribute必須是有效的IPv6地址。',
+ 'json' => 'The :attribute必須是有效的JSON字符串。',
'lt' => [
- 'numeric' => 'The :attribute must be less than :value.',
- 'file' => 'The :attribute must be less than :value kilobytes.',
- 'string' => 'The :attribute must be less than :value characters.',
- 'array' => 'The :attribute must have less than :value items.',
+ 'numeric' => 'The :attribute必須小於:value。',
+ 'file' => 'The :attribute必須小於:value千字節。',
+ 'string' => 'The :attribute必須小於:value字符。',
+ 'array' => 'The :attribute必須少於:value個項目。',
],
'lte' => [
- 'numeric' => 'The :attribute must be less than or equal :value.',
- 'file' => 'The :attribute must be less than or equal :value kilobytes.',
- 'string' => 'The :attribute must be less than or equal :value characters.',
- 'array' => 'The :attribute must not have more than :value items.',
+ 'numeric' => 'The :attribute必須小於或等於:value。',
+ 'file' => 'The :attribute必須小於或等於:value千字節。',
+ 'string' => 'The :attribute必須小於或等於:value字符。',
+ 'array' => 'The :attribute不得超過:value個項目。',
],
'max' => [
'numeric' => ':attribute 不能超過:max。',
'string' => ':attribute 至少為:min個字元。',
'array' => ':attribute 至少有:min項。',
],
- 'no_double_extension' => 'The :attribute must only have a single file extension.',
+ 'no_double_extension' => 'The :attribute必須僅具有一個文件擴展名。',
'not_in' => '選中的 :attribute 無效。',
- 'not_regex' => 'The :attribute format is invalid.',
+ 'not_regex' => 'The :attribute格式無效。',
'numeric' => ':attribute 必須是一個數。',
'regex' => ':attribute 格式無效。',
'required' => ':attribute 字段是必需的。',
'timezone' => ':attribute 必須是有效的區域。',
'unique' => ':attribute 已經被使用。',
'url' => ':attribute 格式無效。',
- 'uploaded' => 'The file could not be uploaded. The server may not accept files of this size.',
+ 'uploaded' => '無法上傳文件, 服務器可能不接受此大小的文件。',
// Custom validation lines
'custom' => [
.tag-list div:last-child .tag-item {
margin-bottom: 0;
+}
+
+/**
+ * API Docs
+ */
+.api-method {
+ font-size: 0.75rem;
+ background-color: #888;
+ padding: $-xs;
+ line-height: 1.3;
+ opacity: 0.7;
+ vertical-align: top;
+ border-radius: 3px;
+ color: #FFF;
+ display: inline-block;
+ min-width: 60px;
+ text-align: center;
+ font-weight: bold;
+ &[data-method="GET"] { background-color: #077b70 }
+ &[data-method="POST"] { background-color: #cf4d03 }
+ &[data-method="PUT"] { background-color: #0288D1 }
+ &[data-method="DELETE"] { background-color: #ab0f0e }
+}
+
+.sticky-sidebar {
+ position: sticky;
+ top: $-m;
}
\ No newline at end of file
/* Help users use markselection to safely style text background */
span.CodeMirror-selectedtext { background: none; }
+/**
+ * Codemirror Default theme
+ */
-/*
-
- Name: Base16 Default Light
- Author: Chris Kempson (http://chriskempson.com)
+.cm-s-default .cm-header {color: blue;}
+.cm-s-default .cm-quote {color: #090;}
+.cm-negative {color: #d44;}
+.cm-positive {color: #292;}
+.cm-header, .cm-strong {font-weight: bold;}
+.cm-em {font-style: italic;}
+.cm-link {text-decoration: underline;}
+.cm-strikethrough {text-decoration: line-through;}
- CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)
- Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)
+.cm-s-default .cm-keyword {color: #708;}
+.cm-s-default .cm-atom {color: #219;}
+.cm-s-default .cm-number {color: #164;}
+.cm-s-default .cm-def {color: #00f;}
+.cm-s-default .cm-variable,
+.cm-s-default .cm-punctuation,
+.cm-s-default .cm-property,
+.cm-s-default .cm-operator {}
+.cm-s-default .cm-variable-2 {color: #05a;}
+.cm-s-default .cm-variable-3, .cm-s-default .cm-type {color: #085;}
+.cm-s-default .cm-comment {color: #a50;}
+.cm-s-default .cm-string {color: #a11;}
+.cm-s-default .cm-string-2 {color: #f50;}
+.cm-s-default .cm-meta {color: #555;}
+.cm-s-default .cm-qualifier {color: #555;}
+.cm-s-default .cm-builtin {color: #30a;}
+.cm-s-default .cm-bracket {color: #997;}
+.cm-s-default .cm-tag {color: #170;}
+.cm-s-default .cm-attribute {color: #00c;}
+.cm-s-default .cm-hr {color: #999;}
+.cm-s-default .cm-link {color: #00c;}
-*/
+.cm-s-default .cm-error {color: #f00;}
+.cm-invalidchar {color: #f00;}
-.cm-s-base16-light.CodeMirror { background: #f8f8f8; color: #444444; }
-.cm-s-base16-light div.CodeMirror-selected { background: #e0e0e0; }
-.cm-s-base16-light .CodeMirror-line::selection, .cm-s-base16-light .CodeMirror-line > span::selection, .cm-s-base16-light .CodeMirror-line > span > span::selection { background: #e0e0e0; }
-.cm-s-base16-light .CodeMirror-line::-moz-selection, .cm-s-base16-light .CodeMirror-line > span::-moz-selection, .cm-s-base16-light .CodeMirror-line > span > span::-moz-selection { background: #e0e0e0; }
-.cm-s-base16-light .CodeMirror-gutters { background: #f5f5f5; border-right: 0px; }
-.cm-s-base16-light .CodeMirror-guttermarker { color: #ac4142; }
-.cm-s-base16-light .CodeMirror-guttermarker-subtle { color: #b0b0b0; }
-.cm-s-base16-light .CodeMirror-linenumber { color: #b0b0b0; }
-.cm-s-base16-light .CodeMirror-cursor { border-left: 1px solid #505050; }
+.CodeMirror-composing { border-bottom: 2px solid; }
-.cm-s-base16-light span.cm-comment { color: #8f5536; }
-.cm-s-base16-light span.cm-atom { color: #aa759f; }
-.cm-s-base16-light span.cm-number { color: #aa759f; }
+/* Default styles for common addons */
-.cm-s-base16-light span.cm-property, .cm-s-base16-light span.cm-attribute { color: #678c30; }
-.cm-s-base16-light span.cm-keyword { color: #ac4142; }
-.cm-s-base16-light span.cm-string { color: #e09c3c; }
+div.CodeMirror span.CodeMirror-matchingbracket {color: #0b0;}
+div.CodeMirror span.CodeMirror-nonmatchingbracket {color: #a22;}
+.CodeMirror-matchingtag { background: rgba(255, 150, 0, .3); }
+.CodeMirror-activeline-background {background: #e8f2ff;}
-.cm-s-base16-light span.cm-builtin { color: #4c7f9e; }
-.cm-s-base16-light span.cm-variable { color: #90a959; }
-.cm-s-base16-light span.cm-variable-2 { color: #6a9fb5; }
-.cm-s-base16-light span.cm-def { color: #d28445; }
-.cm-s-base16-light span.cm-bracket { color: #202020; }
-.cm-s-base16-light span.cm-tag { color: #ac4142; }
-.cm-s-base16-light span.cm-link { color: #aa759f; }
-.cm-s-base16-light span.cm-error { background: #ac4142; color: #505050; }
+/* STOP */
-.cm-s-base16-light .CodeMirror-activeline-background { background: #DDDCDC; }
-.cm-s-base16-light .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }
/**
* Custom BookStack overrides
margin-bottom: $-l;
border: 1px solid #DDD;;
}
-.cm-s-base16-light .CodeMirror-gutters { background: #f5f5f5; border-right: 1px solid #DDD; }
+
+.cm-s-mdn-like .CodeMirror-gutters { background: #f8f8f8; border-left: 0; color: #333; }
.code-fill .CodeMirror {
position: absolute;
left: 0;
width: 100%;
height: 100%;
+ margin-bottom: 0;
}
/**
transition: transform ease-in-out 280ms;
transform: translateX(580px);
display: grid;
- grid-template-columns: 42px 1fr;
+ grid-template-columns: 42px 1fr 12px;
color: #444;
font-weight: 700;
span, svg {
padding-right: $-s;
fill: currentColor;
}
+ .dismiss {
+ margin-top: -8px;
+ svg {
+ height: 1.0rem;
+ color: #444;
+ }
+ }
span {
vertical-align: middle;
line-height: 1.3;
.popup-body {
background-color: #FFF;
max-height: 90%;
- width: 1200px;
+ max-width: 1200px;
+ width: 90%;
height: auto;
- margin: 2% 5%;
+ margin: 2% auto;
border-radius: 4px;
box-shadow: 0 0 15px 0 rgba(0, 0, 0, 0.3);
overflow: hidden;
&.disabled, &[disabled] {
background: url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAcAAAAHCAYAAADEUlfTAAAAMUlEQVQIW2NkwAGuXbv2nxGbHEhCS0uLEUMSJgHShCKJLIEiiS4Bl8QmAZbEJQGSBAC62BuJ+tt7zgAAAABJRU5ErkJggg==);
}
+ &[readonly] {
+ background-color: #f8f8f8;
+ }
&:focus {
border-color: var(--color-primary);
outline: 1px solid var(--color-primary);
width: 50%;
max-width: 50%;
}
+ &.fullscreen {
+ position: fixed;
+ top: 0;
+ left: 0;
+ height: 100%;
+ z-index: 2;
+ }
}
@include smaller-than($m) {
#markdown-editor .markdown-editor-wrap {
width: 100%;
max-width: 100%;
+ flex-grow: 1;
}
#markdown-editor .editor-toolbar {
padding: 0;
border-bottom: 1px solid #DDD;
display: block;
}
- .markdown-editor-wrap:not(.active) .editor-toolbar + div, .markdown-editor-wrap:not(.active) .editor-toolbar .buttons {
+ .markdown-editor-wrap:not(.active) .editor-toolbar + div,
+ .markdown-editor-wrap:not(.active) .editor-toolbar .buttons,
+ .markdown-editor-wrap:not(.active) .markdown-display {
display: none;
}
#markdown-editor .markdown-editor-wrap:not(.active) {
flex-grow: 0;
flex: none;
+ min-height: 0;
}
}
* {
box-sizing: border-box;
- outline-color: #444444;
+ outline-color: var(--color-primary);
+ outline-width: 1px;
}
*:focus {
min-height: 0;
max-width: 100%;
position: relative;
- overflow-y: hidden;
}
.flex {
}
}
-body.mce-fullscreen .page-editor .edit-area {
+body.mce-fullscreen .page-editor .edit-area,
+body.markdown-fullscreen .page-editor .edit-area {
z-index: 12;
}
+body.mce-fullscreen, body.markdown-fullscreen {
+ .page-editor, .flex-fill {
+ overflow: visible;
+ }
+}
+
@include smaller-than($s) {
.page-edit-toolbar {
overflow-x: scroll;
}
}
+.text-mono {
+ font-family: $mono;
+}
+
+.text-uppercase {
+ text-transform: uppercase;
+}
+
+.text-capitals {
+ text-transform: capitalize;
+}
+
.code-base {
background-color: #F8F8F8;
font-size: 0.80em;
padding: 1px 3px;
white-space:pre-wrap;
line-height: 1.2em;
- margin-bottom: 1.2em;
}
span.code {
@import "text";
@import "layout";
@import "blocks";
-@import "forms";
@import "tables";
@import "header";
@import "lists";
--- /dev/null
+@extends('simple-layout')
+
+@section('body')
+
+ <div class="container pt-xl">
+
+ <div class="grid right-focus reverse-collapse">
+ <div>
+
+ <div class="sticky-sidebar">
+ <p class="text-uppercase text-muted mb-xm mt-l"><strong>Getting Started</strong></p>
+
+ <div class="text-mono">
+ <div class="mb-xs"><a href="#authentication">Authentication</a></div>
+ <div class="mb-xs"><a href="#request-format">Request Format</a></div>
+ <div class="mb-xs"><a href="#listing-endpoints">Listing Endpoints</a></div>
+ <div class="mb-xs"><a href="#error-handling">Error Handling</a></div>
+ </div>
+
+ @foreach($docs as $model => $endpoints)
+ <p class="text-uppercase text-muted mb-xm mt-l"><strong>{{ $model }}</strong></p>
+
+ @foreach($endpoints as $endpoint)
+ <div class="mb-xs">
+ <a href="#{{ $endpoint['name'] }}" class="text-mono inline block mr-s">
+ <span class="api-method" data-method="{{ $endpoint['method'] }}">{{ $endpoint['method'] }}</span>
+ </a>
+ <a href="#{{ $endpoint['name'] }}" class="text-mono">
+ {{ $endpoint['controller_method'] }}
+ </a>
+ </div>
+ @endforeach
+ @endforeach
+ </div>
+ </div>
+
+ <div style="overflow: auto;">
+
+ <section code-highlighter class="card content-wrap auto-height">
+ <h1 class="list-heading text-capitals mb-l">Getting Started</h1>
+
+ <h5 id="authentication" class="text-mono mb-m">Authentication</h5>
+ <p>
+ To access the API a user has to have the <em>"Access System API"</em> permission enabled on one of their assigned roles.
+ Permissions to content accessed via the API is limited by the roles & permissions assigned to the user that's used to access the API.
+ </p>
+ <p>Authentication to use the API is primarily done using API Tokens. Once the <em>"Access System API"</em> permission has been assigned to a user, a "API Tokens" section should be visible when editing their user profile. Choose "Create Token" and enter an appropriate name and expiry date, relevant for your API usage then press "Save". A "Token ID" and "Token Secret" will be immediately displayed. These values should be used as a header in API HTTP requests in the following format:</p>
+ <pre><code class="language-css">Authorization: Token <token_id>:<token_secret></code></pre>
+ <p>Here's an example of an authorized cURL request to list books in the system:</p>
+ <pre><code class="language-shell">curl --request GET \
+ --url https://example.com/api/books \
+ --header 'Authorization: Token C6mdvEQTGnebsmVn3sFNeeuelGEBjyQp:NOvD3VlzuSVuBPNaf1xWHmy7nIRlaj22'</code></pre>
+ <p>If already logged into the system within the browser, via a user account with permission to access the API, the system will also accept an existing session meaning you can browse API endpoints directly in the browser or use the browser devtools to play with the API.</p>
+
+ <hr>
+
+ <h5 id="request-format" class="text-mono mb-m">Request Format</h5>
+ <p>The API is primarily design to be interfaced using JSON so the majority of API endpoints, that accept data, will read JSON request data although <code>application/x-www-form-urlencoded</code> request data is also accepted. Endpoints that receive file data will need data sent in a <code>multipart/form-data</code> format although this will be highlighted in the documentation for such endpoints.</p>
+ <p>For endpoints in this documentation that accept data, a "Body Parameters" table will be available showing the parameters that will accepted in the request. Any rules for the values of such parameters, such as the data-type or if they're required, will be shown alongside the parameter name.</p>
+
+ <hr>
+
+ <h5 id="listing-endpoints" class="text-mono mb-m">Listing Endpoints</h5>
+ <p>Some endpoints will return a list of data models. These endpoints will return an array of the model data under a <code>data</code> property along with a numeric <code>total</code> property to indicate the total number of records found for the query within the system. Here's an example of a listing response:</p>
+ <pre><code class="language-json">{
+ "data": [
+ {
+ "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-05 21:48:46",
+ "updated_at": "2019-12-11 20:57:31",
+ "created_by": 1,
+ "updated_by": 1,
+ "image_id": 3
+ }
+ ],
+ "total": 16
+}</code></pre>
+ <p>
+ There are a number of standard URL parameters that can be supplied to manipulate and page through the results returned from a listing endpoint:
+ </p>
+ <table class="table">
+ <tr>
+ <th>Parameter</th>
+ <th>Details</th>
+ <th width="30%">Examples</th>
+ </tr>
+ <tr>
+ <td>count</td>
+ <td>
+ Specify how many records will be returned in the response. <br>
+ (Default: {{ config('api.default_item_count') }}, Max: {{ config('api.max_item_count') }})
+ </td>
+ <td>Limit the count to 50<br><code>?count=50</code></td>
+ </tr>
+ <tr>
+ <td>offset</td>
+ <td>
+ Specify how many records to skip over in the response. <br>
+ (Default: 0)
+ </td>
+ <td>Skip over the first 100 records<br><code>?offset=100</code></td>
+ </tr>
+ <tr>
+ <td>sort</td>
+ <td>
+ Specify what field is used to sort the data and the direction of the sort (Ascending or Descending).<br>
+ Value is the name of a field, A <code>+</code> or <code>-</code> prefix dictates ordering. <br>
+ Direction defaults to ascending. <br>
+ Can use most fields shown in the response.
+ </td>
+ <td>
+ Sort by name ascending<br><code>?sort=+name</code> <br> <br>
+ Sort by "Created At" date descending<br><code>?sort=-created_at</code>
+ </td>
+ </tr>
+ <tr>
+ <td>filter[<field>]</td>
+ <td>
+ Specify a filter to be applied to the query. Can use most fields shown in the response. <br>
+ By default a filter will apply a "where equals" query but the below operations are available using the format filter[<field>:<operation>] <br>
+ <table>
+ <tr>
+ <td>eq</td>
+ <td>Where <code><field></code> equals the filter value.</td>
+ </tr>
+ <tr>
+ <td>ne</td>
+ <td>Where <code><field></code> does not equal the filter value.</td>
+ </tr>
+ <tr>
+ <td>gt</td>
+ <td>Where <code><field></code> is greater than the filter value.</td>
+ </tr>
+ <tr>
+ <td>lt</td>
+ <td>Where <code><field></code> is less than the filter value.</td>
+ </tr>
+ <tr>
+ <td>gte</td>
+ <td>Where <code><field></code> is greater than or equal to the filter value.</td>
+ </tr>
+ <tr>
+ <td>lte</td>
+ <td>Where <code><field></code> is less than or equal to the filter value.</td>
+ </tr>
+ <tr>
+ <td>like</td>
+ <td>
+ Where <code><field></code> is "like" the filter value. <br>
+ <code>%</code> symbols can be used as wildcards.
+ </td>
+ </tr>
+ </table>
+ </td>
+ <td>
+ Filter where id is 5: <br><code>?filter[id]=5</code><br><br>
+ Filter where id is not 5: <br><code>?filter[id:ne]=5</code><br><br>
+ Filter where name contains "cat": <br><code>?filter[name:like]=%cat%</code><br><br>
+ Filter where created after 2020-01-01: <br><code>?filter[created_at:gt]=2020-01-01</code>
+ </td>
+ </tr>
+ </table>
+
+ <hr>
+
+ <h5 id="error-handling" class="text-mono mb-m">Error Handling</h5>
+ <p>
+ Successful responses will return a 200 or 204 HTTP response code. Errors will return a 4xx or a 5xx HTTP response code depending on the type of error. Errors follow a standard format as shown below. The message provided may be translated depending on the configured language of the system in addition to the API users' language preference. The code provided in the JSON response will match the HTTP response code.
+ </p>
+
+ <pre><code class="language-json">{
+ "error": {
+ "code": 401,
+ "message": "No authorization token found on the request"
+ }
+}
+</code></pre>
+
+ </section>
+
+ @foreach($docs as $model => $endpoints)
+ <section class="card content-wrap auto-height">
+ <h1 class="list-heading text-capitals">{{ $model }}</h1>
+
+ @foreach($endpoints as $endpoint)
+ <h6 class="text-uppercase text-muted float right">{{ $endpoint['controller_method'] }}</h6>
+ <h5 id="{{ $endpoint['name'] }}" class="text-mono mb-m">
+ <span class="api-method" data-method="{{ $endpoint['method'] }}">{{ $endpoint['method'] }}</span>
+ {{ url($endpoint['uri']) }}
+ </h5>
+ <p class="mb-m">{{ $endpoint['description'] ?? '' }}</p>
+ @if($endpoint['body_params'] ?? false)
+ <details class="mb-m">
+ <summary class="text-muted">Body Parameters</summary>
+ <table class="table">
+ <tr>
+ <th>Param Name</th>
+ <th>Value Rules</th>
+ </tr>
+ @foreach($endpoint['body_params'] as $paramName => $rules)
+ <tr>
+ <td>{{ $paramName }}</td>
+ <td>
+ @foreach($rules as $rule)
+ <code class="mr-xs">{{ $rule }}</code>
+ @endforeach
+ </td>
+ </tr>
+ @endforeach
+ </table>
+ </details>
+ @endif
+ @if($endpoint['example_request'] ?? false)
+ <details details-highlighter class="mb-m">
+ <summary class="text-muted">Example Request</summary>
+ <pre><code class="language-json">{{ $endpoint['example_request'] }}</code></pre>
+ </details>
+ @endif
+ @if($endpoint['example_response'] ?? false)
+ <details details-highlighter class="mb-m">
+ <summary class="text-muted">Example Response</summary>
+ <pre><code class="language-json">{{ $endpoint['example_response'] }}</code></pre>
+ </details>
+ @endif
+ @if(!$loop->last)
+ <hr>
+ @endif
+ @endforeach
+ </section>
+ @endforeach
+ </div>
+
+ </div>
+
+
+ </div>
+@stop
\ No newline at end of file
-<div class="form-group">
- <label for="username">{{ trans('auth.username') }}</label>
- @include('form.text', ['name' => 'username', 'autofocus' => true])
-</div>
+<form action="{{ url('/login') }}" method="POST" id="login-form" class="mt-l">
+ {!! csrf_field() !!}
-@if(session('request-email', false) === true)
- <div class="form-group">
- <label for="email">{{ trans('auth.email') }}</label>
- @include('form.text', ['name' => 'email'])
- <span class="text-neg">
- {{ trans('auth.ldap_email_hint') }}
- </span>
+ <div class="stretch-inputs">
+ <div class="form-group">
+ <label for="username">{{ trans('auth.username') }}</label>
+ @include('form.text', ['name' => 'username', 'autofocus' => true])
+ </div>
+
+ @if(session('request-email', false) === true)
+ <div class="form-group">
+ <label for="email">{{ trans('auth.email') }}</label>
+ @include('form.text', ['name' => 'email'])
+ <span class="text-neg">{{ trans('auth.ldap_email_hint') }}</span>
+ </div>
+ @endif
+
+ <div class="form-group">
+ <label for="password">{{ trans('auth.password') }}</label>
+ @include('form.password', ['name' => 'password'])
+ </div>
+
+ <div class="form-group text-right pt-s">
+ <button class="button">{{ Str::title(trans('auth.log_in')) }}</button>
+ </div>
</div>
-@endif
-<div class="form-group">
- <label for="password">{{ trans('auth.password') }}</label>
- @include('form.password', ['name' => 'password'])
-</div>
\ No newline at end of file
+</form>
\ No newline at end of file
--- /dev/null
+<form action="{{ url('/saml2/login') }}" method="POST" id="login-form" class="mt-l">
+ {!! csrf_field() !!}
+
+ <div>
+ <button id="saml-login" class="button outline block svg">
+ @icon('saml2')
+ {{ trans('auth.log_in_with', ['socialDriver' => config('saml2.name')]) }}
+ </button>
+ </div>
+
+</form>
\ No newline at end of file
-<div class="form-group">
- <label for="email">{{ trans('auth.email') }}</label>
- @include('form.text', ['name' => 'email', 'autofocus' => true])
-</div>
-
-<div class="form-group">
- <label for="password">{{ trans('auth.password') }}</label>
- @include('form.password', ['name' => 'password'])
- <span class="block small mt-s">
- <a href="{{ url('/password/email') }}">{{ trans('auth.forgot_password') }}</a>
- </span>
-</div>
+<form action="{{ url('/login') }}" method="POST" id="login-form" class="mt-l">
+ {!! csrf_field() !!}
+
+ <div class="stretch-inputs">
+ <div class="form-group">
+ <label for="email">{{ trans('auth.email') }}</label>
+ @include('form.text', ['name' => 'email', 'autofocus' => true])
+ </div>
+
+ <div class="form-group">
+ <label for="password">{{ trans('auth.password') }}</label>
+ @include('form.password', ['name' => 'password'])
+ <div class="small mt-s">
+ <a href="{{ url('/password/email') }}">{{ trans('auth.forgot_password') }}</a>
+ </div>
+ </div>
+ </div>
+
+ <div class="grid half collapse-xs gap-xl v-center">
+ <div class="text-left ml-xxs">
+ @include('components.custom-checkbox', [
+ 'name' => 'remember',
+ 'checked' => false,
+ 'value' => 'on',
+ 'label' => trans('auth.remember_me'),
+ ])
+ </div>
+
+ <div class="text-right">
+ <button class="button">{{ Str::title(trans('auth.log_in')) }}</button>
+ </div>
+ </div>
+
+</form>
+
+
<div class="card content-wrap auto-height">
<h1 class="list-heading">{{ Str::title(trans('auth.log_in')) }}</h1>
- <form action="{{ url('/login') }}" method="POST" id="login-form" class="mt-l">
- {!! csrf_field() !!}
-
- <div class="stretch-inputs">
- @include('auth.forms.login.' . $authMethod)
- </div>
-
- <div class="grid half collapse-xs gap-xl v-center">
- <div class="text-left ml-xxs">
- @include('components.custom-checkbox', [
- 'name' => 'remember',
- 'checked' => false,
- 'value' => 'on',
- 'label' => trans('auth.remember_me'),
- ])
- </div>
-
- <div class="text-right">
- <button class="button">{{ Str::title(trans('auth.log_in')) }}</button>
- </div>
- </div>
-
- </form>
+ @include('auth.forms.login.' . $authMethod)
@if(count($socialDrivers) > 0)
<hr class="my-l">
@endforeach
@endif
- @if($samlEnabled)
- <hr class="my-l">
- <div>
- <a id="saml-login" class="button outline block svg" href="{{ url("/saml2/login") }}">
- @icon('saml2')
- {{ trans('auth.log_in_with', ['socialDriver' => config('saml2.name')]) }}
- </a>
- </div>
- @endif
-
- @if(setting('registration-enabled', false))
+ @if(setting('registration-enabled') && config('auth.method') === 'standard')
<div class="text-center pb-s">
<hr class="my-l">
<a href="{{ url('/register') }}">{{ trans('auth.dont_have_account') }}</a>
@endforeach
@endif
- @if($samlEnabled)
- <hr class="my-l">
- <div>
- <a id="saml-login" class="button outline block svg" href="{{ url("/saml2/login") }}">
- @icon('saml2')
- {{ trans('auth.log_in_with', ['socialDriver' => config('saml2.name')]) }}
- </a>
- </div>
- @endif
</div>
</div>
@stop
<meta http-equiv="Content-Type" content="text/html; charset=utf-8"/>
<title>{{ $book->name }}</title>
+ @include('partials.export-styles', ['format' => $format])
+
<style>
- @if (!app()->environment('testing'))
- {!! file_get_contents(public_path('/dist/export-styles.css')) !!}
- @endif
.page-break {
page-break-after: always;
}
<meta http-equiv="Content-Type" content="text/html; charset=utf-8"/>
<title>{{ $chapter->name }}</title>
+ @include('partials.export-styles', ['format' => $format])
+
<style>
- @if (!app()->environment('testing'))
- {!! file_get_contents(public_path('/dist/export-styles.css')) !!}
- @endif
.page-break {
page-break-after: always;
}
}
}
</style>
- @yield('head')
@include('partials.custom-head')
</head>
<body>
</div>
<div class="text-right">
- <nav class="header-links" >
+ <nav class="header-links">
<div class="links text-center">
@if (hasAppAccess())
<a class="hide-over-l" href="{{ url('/search') }}">@icon('search'){{ trans('common.search') }}</a>
@endif
@if(!signedInUser())
- @if(setting('registration-enabled', false))
- <a href="{{ url('/register') }}">@icon('new-user') {{ trans('auth.sign_up') }}</a>
+ @if(setting('registration-enabled') && config('auth.method') === 'standard')
+ <a href="{{ url('/register') }}">@icon('new-user'){{ trans('auth.sign_up') }}</a>
@endif
- <a href="{{ action('Auth\LoginController@getLogin', ['intended' => url()->current()]) }}">@icon('login') {{ trans('auth.log_in') }}</a>
+ <a href="{{ action('Auth\LoginController@getLogin', ['intended' => url()->current()]) }}">@icon('login'){{ trans('auth.log_in') }}</a>
@endif
</div>
@if(signedInUser())
<a href="{{ url("/settings/users/{$currentUser->id}") }}">@icon('edit'){{ trans('common.edit_profile') }}</a>
</li>
<li>
- <a href="{{ url('/logout') }}">@icon('logout'){{ trans('auth.logout') }}</a>
+ @if(config('auth.method') === 'saml2')
+ <a href="{{ url('/saml2/logout') }}">@icon('logout'){{ trans('auth.logout') }}</a>
+ @else
+ <a href="{{ url('/logout') }}">@icon('logout'){{ trans('auth.logout') }}</a>
+ @endif
</li>
</ul>
</div>
</div>
</div>
-</header>
\ No newline at end of file
+</header>
<a @click="updateLanguage('C')">C</a>
<a @click="updateLanguage('C++')">C++</a>
<a @click="updateLanguage('C#')">C#</a>
+ <a @click="updateLanguage('Fortran')">Fortran</a>
<a @click="updateLanguage('Go')">Go</a>
<a @click="updateLanguage('HTML')">HTML</a>
<a @click="updateLanguage('INI')">INI</a>
<a @click="updateLanguage('JavaScript')">JavaScript</a>
<a @click="updateLanguage('JSON')">JSON</a>
<a @click="updateLanguage('Lua')">Lua</a>
- <a @click="updateLanguage('PHP')">PHP</a>
- <a @click="updateLanguage('Powershell')">Powershell</a>
<a @click="updateLanguage('MarkDown')">MarkDown</a>
<a @click="updateLanguage('Nginx')">Nginx</a>
+ <a @click="updateLanguage('PASCAL')">Pascal</a>
+ <a @click="updateLanguage('Perl')">Perl</a>
+ <a @click="updateLanguage('PHP')">PHP</a>
+ <a @click="updateLanguage('Powershell')">Powershell</a>
<a @click="updateLanguage('Python')">Python</a>
<a @click="updateLanguage('Ruby')">Ruby</a>
<a @click="updateLanguage('shell')">Shell/Bash</a>
<div>
<label for="setting-{{ $type }}-color" class="text-dark">{{ trans('settings.'. str_replace('-', '_', $type) .'_color') }}</label>
<button type="button" class="text-button text-muted" setting-color-picker-default>{{ trans('common.default') }}</button>
- <span class="sep mx-xs">|</span>
+ <span class="sep">|</span>
<button type="button" class="text-button text-muted" setting-color-picker-reset>{{ trans('common.reset') }}</button>
</div>
<div>
placeholder="{{ config('setting-defaults.'. $type .'-color') }}"
class="small">
</div>
-</div>
\ No newline at end of file
+</div>
@section('content')
- <div class="container">
- <div class="card">
- <h3 class="text-muted">{{ trans('errors.error_occurred') }}</h3>
+ <div class="container small py-xl">
+
+ <main class="card content-wrap auto-height">
<div class="body">
- <h5>{{ $message ?? 'An unknown error occurred' }}</h5>
+ <h3>{{ trans('errors.error_occurred') }}</h3>
+ <h5 class="mb-m">{{ $message ?? 'An unknown error occurred' }}</h5>
<p><a href="{{ url('/') }}" class="button outline">{{ trans('errors.return_home') }}</a></p>
</div>
- </div>
+ </main>
+
</div>
@stop
\ No newline at end of file
--- /dev/null
+<input type="date" id="{{ $name }}" name="{{ $name }}"
+ @if($errors->has($name)) class="text-neg" @endif
+ placeholder="{{ $placeholder ?? 'YYYY-MM-DD' }}"
+ @if($autofocus ?? false) autofocus @endif
+ @if($disabled ?? false) disabled="disabled" @endif
+ @if(isset($model) || old($name)) value="{{ old($name) ?? $model->$name->format('Y-m-d') ?? ''}}" @endif>
+@if($errors->has($name))
+ <div class="text-neg text-small">{{ $errors->first($name) }}</div>
+@endif
@if(isset($placeholder)) placeholder="{{$placeholder}}" @endif
@if($autofocus ?? false) autofocus @endif
@if($disabled ?? false) disabled="disabled" @endif
+ @if($readonly ?? false) readonly="readonly" @endif
@if(isset($model) || old($name)) value="{{ old($name) ? old($name) : $model->$name}}" @endif>
@if($errors->has($name))
<div class="text-neg text-small">{{ $errors->first($name) }}</div>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8"/>
<title>{{ $page->name }}</title>
- <style>
- @if (!app()->environment('testing'))
- {!! file_get_contents(public_path('/dist/export-styles.css')) !!}
- @endif
- </style>
- @yield('head')
+ @include('partials.export-styles', ['format' => $format])
+
+ @if($format === 'pdf')
+ <style>
+ body {
+ font-size: 14px;
+ line-height: 1.2;
+ }
+
+ h1, h2, h3, h4, h5, h6 {
+ line-height: 1.2;
+ }
+
+ table {
+ max-width: 800px !important;
+ font-size: 0.8em;
+ width: 100% !important;
+ }
+
+ table td {
+ width: auto !important;
+ }
+ </style>
+ @endif
+
@include('partials.custom-head')
</head>
<body>
<div class="float right buttons">
@if(config('services.drawio'))
<button class="text-button" type="button" data-action="insertDrawing">@icon('drawing'){{ trans('entities.pages_md_insert_drawing') }}</button>
- | 
+ <span class="mx-xs text-muted">|</span>
@endif
<button class="text-button" type="button" data-action="insertImage">@icon('image'){{ trans('entities.pages_md_insert_image') }}</button>
- |
+ <span class="mx-xs text-muted">|</span>
<button class="text-button" type="button" data-action="insertLink">@icon('link'){{ trans('entities.pages_md_insert_link') }}</button>
+ <span class="mx-xs text-muted">|</span>
+ <button class="text-button" type="button" data-action="fullscreen">@icon('fullscreen'){{ trans('common.fullscreen') }}</button>
</div>
</div>
<div markdown-input class="flex flex-fill">
- <textarea id="markdown-editor-input" name="markdown" rows="5"
- @if($errors->has('markdown')) class="text-neg" @endif>@if(isset($model) || old('markdown')){{ old('markdown') ? old('markdown') : ($model->markdown === '' ? $model->html : $model->markdown) }}@endif</textarea>
+ <textarea id="markdown-editor-input"
+ @if($errors->has('markdown')) class="text-neg" @endif
+ name="markdown"
+ rows="5">@if(isset($model) || old('markdown')){{ old('markdown') ?? ($model->markdown === '' ? $model->html : $model->markdown) }}@endif</textarea>
</div>
</div>
+++ /dev/null
-@extends('pages/export')
-
-@section('head')
- <style>
- body {
- font-size: 14px;
- line-height: 1.2;
- }
-
- h1, h2, h3, h4, h5, h6 {
- line-height: 1.2;
- }
-
- table {
- max-width: 800px !important;
- font-size: 0.8em;
- width: 100% !important;
- }
-
- table td {
- width: auto !important;
- }
-
- .page-content .float {
- float: none !important;
- }
-
- .page-content img.align-left, .page-content img.align-right {
- float: none !important;
- clear: both;
- display: block;
- }
- </style>
-@stop
\ No newline at end of file
</div>
<div class="actions mb-xl">
- <h5>Actions</h5>
+ <h5>{{ trans('common.actions') }}</h5>
<div class="icon-list text-primary">
--- /dev/null
+<style>
+ @if (!app()->environment('testing'))
+ {!! file_get_contents(public_path('/dist/export-styles.css')) !!}
+ @endif
+</style>
+
+@if ($format === 'pdf')
+ <style>
+ /* Patches for CSS variable colors */
+ a {
+ color: {{ setting('app-color') }};
+ }
+
+ blockquote {
+ border-left-color: {{ setting('app-color') }};
+ }
+
+ /* Patches for content layout */
+ .page-content .float {
+ float: none !important;
+ }
+
+ .page-content img.align-left, .page-content img.align-right {
+ float: none !important;
+ clear: both;
+ display: block;
+ }
+ </style>
+@endif
\ No newline at end of file
<div notification="success" style="display: none;" data-autohide class="pos" role="alert" @if(session()->has('success')) data-show @endif>
- @icon('check-circle') <span>{!! nl2br(htmlentities(session()->get('success'))) !!}</span>
+ @icon('check-circle') <span>{!! nl2br(htmlentities(session()->get('success'))) !!}</span><div class="dismiss">@icon('close')</div>
</div>
<div notification="warning" style="display: none;" class="warning" role="alert" @if(session()->has('warning')) data-show @endif>
- @icon('info') <span>{!! nl2br(htmlentities(session()->get('warning'))) !!}</span>
+ @icon('info') <span>{!! nl2br(htmlentities(session()->get('warning'))) !!}</span><div class="dismiss">@icon('close')</div>
</div>
<div notification="error" style="display: none;" class="neg" role="alert" @if(session()->has('error')) data-show @endif>
- @icon('danger') <span>{!! nl2br(htmlentities(session()->get('error'))) !!}</span>
+ @icon('danger') <span>{!! nl2br(htmlentities(session()->get('error'))) !!}</span><div class="dismiss">@icon('close')</div>
</div>
</div>
<div class="card content-wrap auto-height">
- <h2 class="list-heading">{{ trans('settings.app_features_security') }}</h2>
+ <h2 id="features" class="list-heading">{{ trans('settings.app_features_security') }}</h2>
<form action="{{ url("/settings") }}" method="POST">
{!! csrf_field() !!}
+ <input type="hidden" name="section" value="features">
<div class="setting-list">
</div>
<div class="card content-wrap auto-height">
- <h2 class="list-heading">{{ trans('settings.app_customization') }}</h2>
+ <h2 id="customization" class="list-heading">{{ trans('settings.app_customization') }}</h2>
<form action="{{ url("/settings") }}" method="POST" enctype="multipart/form-data">
{!! csrf_field() !!}
+ <input type="hidden" name="section" value="customization">
<div class="setting-list">
<div setting-app-color-picker class="text-m-right">
<input type="color" data-default="#206ea7" data-current="{{ setting('app-color') }}" value="{{ setting('app-color') }}" name="setting-app-color" id="setting-app-color" placeholder="#206ea7">
<input type="hidden" value="{{ setting('app-color-light') }}" name="setting-app-color-light" id="setting-app-color-light">
- <br>
- <button type="button" class="text-button text-muted mt-s mx-s" setting-app-color-picker-default>{{ trans('common.default') }}</button>
- <span class="sep">|</span>
- <button type="button" class="text-button text-muted mt-s mx-s" setting-app-color-picker-reset>{{ trans('common.reset') }}</button>
+ <div class="pr-s">
+ <button type="button" class="text-button text-muted mt-s" setting-app-color-picker-default>{{ trans('common.default') }}</button>
+ <span class="sep">|</span>
+ <button type="button" class="text-button text-muted mt-s" setting-app-color-picker-reset>{{ trans('common.reset') }}</button>
+ </div>
+
</div>
</div>
</div>
<div class="card content-wrap auto-height">
- <h2 class="list-heading">{{ trans('settings.reg_settings') }}</h2>
+ <h2 id="registration" class="list-heading">{{ trans('settings.reg_settings') }}</h2>
<form action="{{ url("/settings") }}" method="POST">
{!! csrf_field() !!}
+ <input type="hidden" name="section" value="registration">
<div class="setting-list">
<div class="grid half gap-xl">
'label' => trans('settings.reg_enable_toggle')
])
+ @if(in_array(config('auth.method'), ['ldap', 'saml2']))
+ <div class="text-warn text-small mb-l">{{ trans('settings.reg_enable_external_warning') }}</div>
+ @endif
+
<label for="setting-registration-role">{{ trans('settings.reg_default_role') }}</label>
<select id="setting-registration-role" name="setting-registration-role" @if($errors->has('setting-registration-role')) class="neg" @endif>
@foreach(\BookStack\Auth\Role::all() as $role)
@include('form.text', ['name' => 'description'])
</div>
- @if(config('auth.method') === 'ldap' || config('saml2.enabled') === true)
+ @if(config('auth.method') === 'ldap' || config('auth.method') === 'saml2')
<div class="form-group">
<label for="name">{{ trans('settings.role_external_auth_id') }}</label>
@include('form.text', ['name' => 'external_auth_id'])
<a href="#" permissions-table-toggle-all class="text-small text-primary">{{ trans('common.toggle_all') }}</a>
</div>
<div class="toggle-switch-list">
+ <div>@include('settings.roles.checkbox', ['permission' => 'settings-manage', 'label' => trans('settings.role_manage_settings')])</div>
<div>@include('settings.roles.checkbox', ['permission' => 'users-manage', 'label' => trans('settings.role_manage_users')])</div>
<div>@include('settings.roles.checkbox', ['permission' => 'user-roles-manage', 'label' => trans('settings.role_manage_roles')])</div>
<div>@include('settings.roles.checkbox', ['permission' => 'restrictions-manage-all', 'label' => trans('settings.role_manage_entity_permissions')])</div>
<div>@include('settings.roles.checkbox', ['permission' => 'restrictions-manage-own', 'label' => trans('settings.role_manage_own_entity_permissions')])</div>
<div>@include('settings.roles.checkbox', ['permission' => 'templates-manage', 'label' => trans('settings.role_manage_page_templates')])</div>
- <div>@include('settings.roles.checkbox', ['permission' => 'settings-manage', 'label' => trans('settings.role_manage_settings')])</div>
+ <div>@include('settings.roles.checkbox', ['permission' => 'access-api', 'label' => trans('settings.role_access_api')])</div>
</div>
</div>
--- /dev/null
+@extends('simple-layout')
+
+@section('body')
+
+ <div class="container small pt-xl">
+
+ <main class="card content-wrap auto-height">
+ <h1 class="list-heading">{{ trans('settings.user_api_token_create') }}</h1>
+
+ <form action="{{ $user->getEditUrl('/create-api-token') }}" method="post">
+ {!! csrf_field() !!}
+
+ <div class="setting-list">
+ @include('users.api-tokens.form')
+
+ <div>
+ <p class="text-warn italic">
+ {{ trans('settings.user_api_token_create_secret_message') }}
+ </p>
+ </div>
+ </div>
+
+ <div class="form-group text-right">
+ <a href="{{ $user->getEditUrl('#api_tokens') }}" class="button outline">{{ trans('common.cancel') }}</a>
+ <button class="button" type="submit">{{ trans('common.save') }}</button>
+ </div>
+
+ </form>
+
+ </main>
+ </div>
+
+@stop
--- /dev/null
+@extends('simple-layout')
+
+@section('body')
+ <div class="container small pt-xl">
+
+ <div class="card content-wrap auto-height">
+ <h1 class="list-heading">{{ trans('settings.user_api_token_delete') }}</h1>
+
+ <p>{{ trans('settings.user_api_token_delete_warning', ['tokenName' => $token->name]) }}</p>
+
+ <div class="grid half">
+ <p class="text-neg"><strong>{{ trans('settings.user_api_token_delete_confirm') }}</strong></p>
+ <div>
+ <form action="{{ $user->getEditUrl('/api-tokens/' . $token->id) }}" method="POST" class="text-right">
+ {!! csrf_field() !!}
+ {!! method_field('delete') !!}
+
+ <a href="{{ $user->getEditUrl('/api-tokens/' . $token->id) }}" class="button outline">{{ trans('common.cancel') }}</a>
+ <button type="submit" class="button">{{ trans('common.confirm') }}</button>
+ </form>
+ </div>
+ </div>
+
+ </div>
+ </div>
+@stop
--- /dev/null
+@extends('simple-layout')
+
+@section('body')
+
+ <div class="container small pt-xl">
+
+ <main class="card content-wrap auto-height">
+ <h1 class="list-heading">{{ trans('settings.user_api_token') }}</h1>
+
+ <form action="{{ $user->getEditUrl('/api-tokens/' . $token->id) }}" method="post">
+ {!! method_field('put') !!}
+ {!! csrf_field() !!}
+
+ <div class="setting-list">
+
+ <div class="grid half gap-xl v-center">
+ <div>
+ <label class="setting-list-label">{{ trans('settings.user_api_token_id') }}</label>
+ <p class="small">{{ trans('settings.user_api_token_id_desc') }}</p>
+ </div>
+ <div>
+ @include('form.text', ['name' => 'token_id', 'readonly' => true])
+ </div>
+ </div>
+
+
+ @if( $secret )
+ <div class="grid half gap-xl v-center">
+ <div>
+ <label class="setting-list-label">{{ trans('settings.user_api_token_secret') }}</label>
+ <p class="small text-warn">{{ trans('settings.user_api_token_secret_desc') }}</p>
+ </div>
+ <div>
+ <input type="text" readonly="readonly" value="{{ $secret }}">
+ </div>
+ </div>
+ @endif
+
+ @include('users.api-tokens.form', ['model' => $token])
+ </div>
+
+ <div class="grid half gap-xl v-center">
+
+ <div class="text-muted text-small">
+ <span title="{{ $token->created_at }}">
+ {{ trans('settings.user_api_token_created', ['timeAgo' => $token->created_at->diffForHumans()]) }}
+ </span>
+ <br>
+ <span title="{{ $token->updated_at }}">
+ {{ trans('settings.user_api_token_updated', ['timeAgo' => $token->created_at->diffForHumans()]) }}
+ </span>
+ </div>
+
+ <div class="form-group text-right">
+ <a href="{{ $user->getEditUrl('#api_tokens') }}" class="button outline">{{ trans('common.back') }}</a>
+ <a href="{{ $user->getEditUrl('/api-tokens/' . $token->id . '/delete') }}" class="button outline">{{ trans('settings.user_api_token_delete') }}</a>
+ <button class="button" type="submit">{{ trans('common.save') }}</button>
+ </div>
+ </div>
+
+ </form>
+
+ </main>
+ </div>
+
+@stop
--- /dev/null
+
+
+<div class="grid half gap-xl v-center">
+ <div>
+ <label class="setting-list-label">{{ trans('settings.user_api_token_name') }}</label>
+ <p class="small">{{ trans('settings.user_api_token_name_desc') }}</p>
+ </div>
+ <div>
+ @include('form.text', ['name' => 'name'])
+ </div>
+</div>
+
+<div class="grid half gap-xl v-center">
+ <div>
+ <label class="setting-list-label">{{ trans('settings.user_api_token_expiry') }}</label>
+ <p class="small">{{ trans('settings.user_api_token_expiry_desc') }}</p>
+ </div>
+ <div class="text-right">
+ @include('form.date', ['name' => 'expires_at'])
+ </div>
+</div>
\ No newline at end of file
--- /dev/null
+<section class="card content-wrap auto-height" id="api_tokens">
+ <div class="grid half mb-s">
+ <div><h2 class="list-heading">{{ trans('settings.users_api_tokens') }}</h2></div>
+ <div class="text-right pt-xs">
+ @if(userCan('access-api'))
+ <a href="{{ url('/api/docs') }}" class="button outline">{{ trans('settings.users_api_tokens_docs') }}</a>
+ <a href="{{ $user->getEditUrl('/create-api-token') }}" class="button outline">{{ trans('settings.users_api_tokens_create') }}</a>
+ @endif
+ </div>
+ </div>
+ @if (count($user->apiTokens) > 0)
+ <table class="table">
+ <tr>
+ <th>{{ trans('common.name') }}</th>
+ <th>{{ trans('settings.users_api_tokens_expires') }}</th>
+ <th></th>
+ </tr>
+ @foreach($user->apiTokens as $token)
+ <tr>
+ <td>
+ {{ $token->name }} <br>
+ <span class="small text-muted italic">{{ $token->token_id }}</span>
+ </td>
+ <td>{{ $token->expires_at->format('Y-m-d') ?? '' }}</td>
+ <td class="text-right">
+ <a class="button outline small" href="{{ $user->getEditUrl('/api-tokens/' . $token->id) }}">{{ trans('common.edit') }}</a>
+ </td>
+ </tr>
+ @endforeach
+ </table>
+ @else
+ <p class="text-muted italic py-m">{{ trans('settings.users_api_tokens_none') }}</p>
+ @endif
+</section>
\ No newline at end of file
</div>
</section>
@endif
+
+ @if(($currentUser->id === $user->id && userCan('access-api')) || userCan('users-manage'))
+ @include('users.api-tokens.list', ['user' => $user])
+ @endif
</div>
@stop
</div>
</div>
-@if(($authMethod === 'ldap' || config('saml2.enabled') === true) && userCan('users-manage'))
+@if(($authMethod === 'ldap' || $authMethod === 'saml2') && userCan('users-manage'))
<div class="grid half gap-xl v-center">
<div>
<label class="setting-list-label">{{ trans('settings.users_external_auth_id') }}</label>
--- /dev/null
+<?php
+
+/**
+ * Routes for the BookStack API.
+ * Routes have a uri prefix of /api/.
+ * Controllers are all within app/Http/Controllers/Api
+ */
+
+Route::get('docs', 'ApiDocsController@display');
+Route::get('docs.json', 'ApiDocsController@json');
+
+Route::get('books', 'BooksApiController@list');
+Route::post('books', 'BooksApiController@create');
+Route::get('books/{id}', 'BooksApiController@read');
+Route::put('books/{id}', 'BooksApiController@update');
+Route::delete('books/{id}', 'BooksApiController@delete');
Route::put('/users/{id}', 'UserController@update');
Route::delete('/users/{id}', 'UserController@destroy');
+ // User API Tokens
+ Route::get('/users/{userId}/create-api-token', 'UserApiTokenController@create');
+ Route::post('/users/{userId}/create-api-token', 'UserApiTokenController@store');
+ Route::get('/users/{userId}/api-tokens/{tokenId}', 'UserApiTokenController@edit');
+ Route::put('/users/{userId}/api-tokens/{tokenId}', 'UserApiTokenController@update');
+ Route::get('/users/{userId}/api-tokens/{tokenId}/delete', 'UserApiTokenController@delete');
+ Route::delete('/users/{userId}/api-tokens/{tokenId}', 'UserApiTokenController@destroy');
+
// Roles
Route::get('/roles', 'PermissionController@listRoles');
Route::get('/roles/new', 'PermissionController@createRole');
});
// Social auth routes
-Route::get('/login/service/{socialDriver}', 'Auth\LoginController@getSocialLogin');
-Route::get('/login/service/{socialDriver}/callback', 'Auth\RegisterController@socialCallback');
-Route::get('/login/service/{socialDriver}/detach', 'Auth\RegisterController@detachSocialAccount');
-Route::get('/register/service/{socialDriver}', 'Auth\RegisterController@socialRegister');
+Route::get('/login/service/{socialDriver}', 'Auth\SocialController@getSocialLogin');
+Route::get('/login/service/{socialDriver}/callback', 'Auth\SocialController@socialCallback');
+Route::group(['middleware' => 'auth'], function () {
+ Route::get('/login/service/{socialDriver}/detach', 'Auth\SocialController@detachSocialAccount');
+});
+Route::get('/register/service/{socialDriver}', 'Auth\SocialController@socialRegister');
// Login/Logout routes
Route::get('/login', 'Auth\LoginController@getLogin');
Route::post('/register', 'Auth\RegisterController@postRegister');
// SAML routes
-Route::get('/saml2/login', 'Auth\Saml2Controller@login');
+Route::post('/saml2/login', 'Auth\Saml2Controller@login');
Route::get('/saml2/logout', 'Auth\Saml2Controller@logout');
Route::get('/saml2/metadata', 'Auth\Saml2Controller@metadata');
Route::get('/saml2/sls', 'Auth\Saml2Controller@sls');
--- /dev/null
+<?php
+
+namespace Tests;
+
+use BookStack\Auth\Permissions\RolePermission;
+use BookStack\Auth\User;
+use Carbon\Carbon;
+
+class ApiAuthTest extends TestCase
+{
+ use TestsApi;
+
+ protected $endpoint = '/api/books';
+
+ public function test_requests_succeed_with_default_auth()
+ {
+ $viewer = $this->getViewer();
+ $this->giveUserPermissions($viewer, ['access-api']);
+
+ $resp = $this->get($this->endpoint);
+ $resp->assertStatus(401);
+
+ $this->actingAs($viewer, 'standard');
+
+ $resp = $this->get($this->endpoint);
+ $resp->assertStatus(200);
+ }
+
+ public function test_no_token_throws_error()
+ {
+ $resp = $this->get($this->endpoint);
+ $resp->assertStatus(401);
+ $resp->assertJson($this->errorResponse("No authorization token found on the request", 401));
+ }
+
+ public function test_bad_token_format_throws_error()
+ {
+ $resp = $this->get($this->endpoint, ['Authorization' => "Token abc123"]);
+ $resp->assertStatus(401);
+ $resp->assertJson($this->errorResponse("An authorization token was found on the request but the format appeared incorrect", 401));
+ }
+
+ public function test_token_with_non_existing_id_throws_error()
+ {
+ $resp = $this->get($this->endpoint, ['Authorization' => "Token abc:123"]);
+ $resp->assertStatus(401);
+ $resp->assertJson($this->errorResponse("No matching API token was found for the provided authorization token", 401));
+ }
+
+ public function test_token_with_bad_secret_value_throws_error()
+ {
+ $resp = $this->get($this->endpoint, ['Authorization' => "Token {$this->apiTokenId}:123"]);
+ $resp->assertStatus(401);
+ $resp->assertJson($this->errorResponse("The secret provided for the given used API token is incorrect", 401));
+ }
+
+ public function test_api_access_permission_required_to_access_api()
+ {
+ $resp = $this->get($this->endpoint, $this->apiAuthHeader());
+ $resp->assertStatus(200);
+ auth()->logout();
+
+ $accessApiPermission = RolePermission::getByName('access-api');
+ $editorRole = $this->getEditor()->roles()->first();
+ $editorRole->detachPermission($accessApiPermission);
+
+ $resp = $this->get($this->endpoint, $this->apiAuthHeader());
+ $resp->assertStatus(403);
+ $resp->assertJson($this->errorResponse("The owner of the used API token does not have permission to make API calls", 403));
+ }
+
+ public function test_api_access_permission_required_to_access_api_with_session_auth()
+ {
+ $editor = $this->getEditor();
+ $this->actingAs($editor, 'standard');
+
+ $resp = $this->get($this->endpoint);
+ $resp->assertStatus(200);
+ auth('standard')->logout();
+
+ $accessApiPermission = RolePermission::getByName('access-api');
+ $editorRole = $this->getEditor()->roles()->first();
+ $editorRole->detachPermission($accessApiPermission);
+
+ $editor = User::query()->where('id', '=', $editor->id)->first();
+
+ $this->actingAs($editor, 'standard');
+ $resp = $this->get($this->endpoint);
+ $resp->assertStatus(403);
+ $resp->assertJson($this->errorResponse("The owner of the used API token does not have permission to make API calls", 403));
+ }
+
+ public function test_token_expiry_checked()
+ {
+ $editor = $this->getEditor();
+ $token = $editor->apiTokens()->first();
+
+ $resp = $this->get($this->endpoint, $this->apiAuthHeader());
+ $resp->assertStatus(200);
+ auth()->logout();
+
+ $token->expires_at = Carbon::now()->subDay()->format('Y-m-d');
+ $token->save();
+
+ $resp = $this->get($this->endpoint, $this->apiAuthHeader());
+ $resp->assertJson($this->errorResponse("The authorization token used has expired", 403));
+ }
+
+ public function test_email_confirmation_checked_using_api_auth()
+ {
+ $editor = $this->getEditor();
+ $editor->email_confirmed = false;
+ $editor->save();
+
+ // Set settings and get user instance
+ $this->setSettings(['registration-enabled' => 'true', 'registration-confirmation' => 'true']);
+
+ $resp = $this->get($this->endpoint, $this->apiAuthHeader());
+ $resp->assertStatus(401);
+ $resp->assertJson($this->errorResponse("The email address for the account in use needs to be confirmed", 401));
+ }
+
+ public function test_rate_limit_headers_active_on_requests()
+ {
+ $resp = $this->actingAsApiEditor()->get($this->endpoint);
+ $resp->assertHeader('x-ratelimit-limit', 180);
+ $resp->assertHeader('x-ratelimit-remaining', 179);
+ $resp = $this->actingAsApiEditor()->get($this->endpoint);
+ $resp->assertHeader('x-ratelimit-remaining', 178);
+ }
+
+ public function test_rate_limit_hit_gives_json_error()
+ {
+ config()->set(['api.requests_per_minute' => 1]);
+ $resp = $this->actingAsApiEditor()->get($this->endpoint);
+ $resp->assertStatus(200);
+
+ $resp = $this->actingAsApiEditor()->get($this->endpoint);
+ $resp->assertStatus(429);
+ $resp->assertHeader('x-ratelimit-remaining', 0);
+ $resp->assertHeader('retry-after');
+ $resp->assertJson([
+ 'error' => [
+ 'code' => 429,
+ ]
+ ]);
+ }
+}
\ No newline at end of file
--- /dev/null
+<?php
+
+namespace Tests;
+
+use BookStack\Auth\Permissions\RolePermission;
+use Carbon\Carbon;
+
+class ApiConfigTest extends TestCase
+{
+ use TestsApi;
+
+ protected $endpoint = '/api/books';
+
+ public function test_default_item_count_reflected_in_listing_requests()
+ {
+ $this->actingAsApiEditor();
+
+ config()->set(['api.default_item_count' => 5]);
+ $resp = $this->get($this->endpoint);
+ $resp->assertJsonCount(5, 'data');
+
+ config()->set(['api.default_item_count' => 1]);
+ $resp = $this->get($this->endpoint);
+ $resp->assertJsonCount(1, 'data');
+ }
+
+ public function test_default_item_count_does_not_limit_count_param()
+ {
+ $this->actingAsApiEditor();
+ config()->set(['api.default_item_count' => 1]);
+ $resp = $this->get($this->endpoint . '?count=5');
+ $resp->assertJsonCount(5, 'data');
+ }
+
+ public function test_max_item_count_limits_listing_requests()
+ {
+ $this->actingAsApiEditor();
+
+ config()->set(['api.max_item_count' => 2]);
+ $resp = $this->get($this->endpoint);
+ $resp->assertJsonCount(2, 'data');
+
+ $resp = $this->get($this->endpoint . '?count=5');
+ $resp->assertJsonCount(2, 'data');
+ }
+
+ public function test_requests_per_min_alters_rate_limit()
+ {
+ $resp = $this->actingAsApiEditor()->get($this->endpoint);
+ $resp->assertHeader('x-ratelimit-limit', 180);
+
+ config()->set(['api.requests_per_minute' => 10]);
+
+ $resp = $this->actingAsApiEditor()->get($this->endpoint);
+ $resp->assertHeader('x-ratelimit-limit', 10);
+ }
+
+}
\ No newline at end of file
--- /dev/null
+<?php
+
+namespace Tests;
+
+class ApiDocsTest extends TestCase
+{
+ use TestsApi;
+
+ protected $endpoint = '/api/docs';
+
+ public function test_docs_page_not_visible_to_normal_viewers()
+ {
+ $viewer = $this->getViewer();
+ $resp = $this->actingAs($viewer)->get($this->endpoint);
+ $resp->assertStatus(403);
+
+ $resp = $this->actingAsApiEditor()->get($this->endpoint);
+ $resp->assertStatus(200);
+ }
+
+ public function test_docs_page_returns_view_with_docs_content()
+ {
+ $resp = $this->actingAsApiEditor()->get($this->endpoint);
+ $resp->assertStatus(200);
+ $resp->assertSee(url('/api/docs.json'));
+ $resp->assertSee('Show a JSON view of the API docs data.');
+ $resp->assertHeader('Content-Type', 'text/html; charset=UTF-8');
+ }
+
+ public function test_docs_json_endpoint_returns_json()
+ {
+ $resp = $this->actingAsApiEditor()->get($this->endpoint . '.json');
+ $resp->assertStatus(200);
+ $resp->assertHeader('Content-Type', 'application/json');
+ $resp->assertJson([
+ 'docs' => [ [
+ 'name' => 'docs-display',
+ 'uri' => 'api/docs'
+ ] ]
+ ]);
+ }
+}
\ No newline at end of file
--- /dev/null
+<?php
+
+namespace Tests;
+
+use BookStack\Entities\Book;
+
+class ApiListingTest extends TestCase
+{
+ use TestsApi;
+
+ protected $endpoint = '/api/books';
+
+ public function test_count_parameter_limits_responses()
+ {
+ $this->actingAsApiEditor();
+ $bookCount = min(Book::visible()->count(), 100);
+
+ $resp = $this->get($this->endpoint);
+ $resp->assertJsonCount($bookCount, 'data');
+
+ $resp = $this->get($this->endpoint . '?count=1');
+ $resp->assertJsonCount(1, 'data');
+ }
+
+ public function test_offset_parameter()
+ {
+ $this->actingAsApiEditor();
+ $books = Book::visible()->orderBy('id')->take(3)->get();
+
+ $resp = $this->get($this->endpoint . '?count=1');
+ $resp->assertJsonMissing(['name' => $books[1]->name ]);
+
+ $resp = $this->get($this->endpoint . '?count=1&offset=1000');
+ $resp->assertJsonCount(0, 'data');
+ }
+
+ public function test_sort_parameter()
+ {
+ $this->actingAsApiEditor();
+
+ $sortChecks = [
+ '-id' => Book::visible()->orderBy('id', 'desc')->first(),
+ '+name' => Book::visible()->orderBy('name', 'asc')->first(),
+ 'name' => Book::visible()->orderBy('name', 'asc')->first(),
+ '-name' => Book::visible()->orderBy('name', 'desc')->first()
+ ];
+
+ foreach ($sortChecks as $sortOption => $result) {
+ $resp = $this->get($this->endpoint . '?count=1&sort=' . $sortOption);
+ $resp->assertJson(['data' => [
+ [
+ 'id' => $result->id,
+ 'name' => $result->name,
+ ]
+ ]]);
+ }
+ }
+
+ public function test_filter_parameter()
+ {
+ $this->actingAsApiEditor();
+ $book = Book::visible()->first();
+ $nameSubstr = substr($book->name, 0, 4);
+ $encodedNameSubstr = rawurlencode($nameSubstr);
+
+ $filterChecks = [
+ // Test different types of filter
+ "filter[id]={$book->id}" => 1,
+ "filter[id:ne]={$book->id}" => Book::visible()->where('id', '!=', $book->id)->count(),
+ "filter[id:gt]={$book->id}" => Book::visible()->where('id', '>', $book->id)->count(),
+ "filter[id:gte]={$book->id}" => Book::visible()->where('id', '>=', $book->id)->count(),
+ "filter[id:lt]={$book->id}" => Book::visible()->where('id', '<', $book->id)->count(),
+ "filter[name:like]={$encodedNameSubstr}%" => Book::visible()->where('name', 'like', $nameSubstr . '%')->count(),
+
+ // Test mulitple filters 'and' together
+ "filter[id]={$book->id}&filter[name]=random_non_existing_string" => 0,
+ ];
+
+ foreach ($filterChecks as $filterOption => $resultCount) {
+ $resp = $this->get($this->endpoint . '?count=1&' . $filterOption);
+ $resp->assertJson(['total' => $resultCount]);
+ }
+ }
+
+}
\ No newline at end of file
--- /dev/null
+<?php namespace Tests;
+
+use BookStack\Entities\Book;
+
+class BooksApiTest extends TestCase
+{
+ use TestsApi;
+
+ protected $baseEndpoint = '/api/books';
+
+ public function test_index_endpoint_returns_expected_book()
+ {
+ $this->actingAsApiEditor();
+ $firstBook = Book::query()->orderBy('id', 'asc')->first();
+
+ $resp = $this->getJson($this->baseEndpoint . '?count=1&sort=+id');
+ $resp->assertJson(['data' => [
+ [
+ 'id' => $firstBook->id,
+ 'name' => $firstBook->name,
+ 'slug' => $firstBook->slug,
+ ]
+ ]]);
+ }
+
+ public function test_create_endpoint()
+ {
+ $this->actingAsApiEditor();
+ $details = [
+ 'name' => 'My API book',
+ 'description' => 'A book created via the API',
+ ];
+
+ $resp = $this->postJson($this->baseEndpoint, $details);
+ $resp->assertStatus(200);
+ $newItem = Book::query()->orderByDesc('id')->where('name', '=', $details['name'])->first();
+ $resp->assertJson(array_merge($details, ['id' => $newItem->id, 'slug' => $newItem->slug]));
+ $this->assertActivityExists('book_create', $newItem);
+ }
+
+ public function test_book_name_needed_to_create()
+ {
+ $this->actingAsApiEditor();
+ $details = [
+ 'description' => 'A book created via the API',
+ ];
+
+ $resp = $this->postJson($this->baseEndpoint, $details);
+ $resp->assertStatus(422);
+ $resp->assertJson([
+ "error" => [
+ "message" => "The given data was invalid.",
+ "validation" => [
+ "name" => ["The name field is required."]
+ ],
+ "code" => 422,
+ ],
+ ]);
+ }
+
+ public function test_read_endpoint()
+ {
+ $this->actingAsApiEditor();
+ $book = Book::visible()->first();
+
+ $resp = $this->getJson($this->baseEndpoint . "/{$book->id}");
+
+ $resp->assertStatus(200);
+ $resp->assertJson([
+ 'id' => $book->id,
+ 'slug' => $book->slug,
+ 'created_by' => [
+ 'name' => $book->createdBy->name,
+ ],
+ 'updated_by' => [
+ 'name' => $book->createdBy->name,
+ ]
+ ]);
+ }
+
+ public function test_update_endpoint()
+ {
+ $this->actingAsApiEditor();
+ $book = Book::visible()->first();
+ $details = [
+ 'name' => 'My updated API book',
+ 'description' => 'A book created via the API',
+ ];
+
+ $resp = $this->putJson($this->baseEndpoint . "/{$book->id}", $details);
+ $book->refresh();
+
+ $resp->assertStatus(200);
+ $resp->assertJson(array_merge($details, ['id' => $book->id, 'slug' => $book->slug]));
+ $this->assertActivityExists('book_update', $book);
+ }
+
+ public function test_delete_endpoint()
+ {
+ $this->actingAsApiEditor();
+ $book = Book::visible()->first();
+ $resp = $this->deleteJson($this->baseEndpoint . "/{$book->id}");
+
+ $resp->assertStatus(204);
+ $this->assertActivityExists('book_delete');
+ }
+}
\ No newline at end of file
<?php namespace Tests;
+
+use BookStack\Auth\Access\LdapService;
use BookStack\Auth\Role;
use BookStack\Auth\Access\Ldap;
use BookStack\Auth\User;
{
parent::setUp();
if (!defined('LDAP_OPT_REFERRALS')) define('LDAP_OPT_REFERRALS', 1);
- app('config')->set([
+ config()->set([
'auth.method' => 'ldap',
+ 'auth.defaults.guard' => 'ldap',
'services.ldap.base_dn' => 'dc=ldap,dc=local',
'services.ldap.email_attribute' => 'mail',
'services.ldap.display_name_attribute' => 'cn',
+ 'services.ldap.id_attribute' => 'uid',
'services.ldap.user_to_groups' => false,
- 'auth.providers.users.driver' => 'ldap',
+ 'services.ldap.version' => '3',
+ 'services.ldap.user_filter' => '(&(uid=${user}))',
+ 'services.ldap.follow_referrals' => false,
+ 'services.ldap.tls_insecure' => false,
]);
$this->mockLdap = \Mockery::mock(Ldap::class);
$this->app[Ldap::class] = $this->mockLdap;
{
$this->mockLdap->shouldReceive('connect')->once()->andReturn($this->resourceId);
$this->mockLdap->shouldReceive('setVersion')->once();
- $this->mockLdap->shouldReceive('setOption')->times(4);
- $this->mockLdap->shouldReceive('searchAndGetEntries')->times(4)
+ $this->mockLdap->shouldReceive('setOption')->times(2);
+ $this->mockLdap->shouldReceive('searchAndGetEntries')->times(2)
->with($this->resourceId, config('services.ldap.base_dn'), \Mockery::type('string'), \Mockery::type('array'))
->andReturn(['count' => 1, 0 => [
'uid' => [$this->mockUser->name],
'cn' => [$this->mockUser->name],
'dn' => ['dc=test' . config('services.ldap.base_dn')]
]]);
- $this->mockLdap->shouldReceive('bind')->times(6)->andReturn(true);
- $this->mockEscapes(4);
+ $this->mockLdap->shouldReceive('bind')->times(4)->andReturn(true);
+ $this->mockEscapes(2);
$this->mockUserLogin()
->seePageIs('/login')->see('Please enter an email to use for this account.');
->seeInDatabase('users', ['email' => $this->mockUser->email, 'email_confirmed' => false, 'external_auth_id' => $this->mockUser->name]);
}
- public function test_login_works_when_no_uid_provided_by_ldap_server()
+ public function test_email_domain_restriction_active_on_new_ldap_login()
{
+ $this->setSettings([
+ 'registration-restrict' => 'testing.com'
+ ]);
+
$this->mockLdap->shouldReceive('connect')->once()->andReturn($this->resourceId);
$this->mockLdap->shouldReceive('setVersion')->once();
- $ldapDn = 'cn=test-user,dc=test' . config('services.ldap.base_dn');
$this->mockLdap->shouldReceive('setOption')->times(2);
$this->mockLdap->shouldReceive('searchAndGetEntries')->times(2)
+ ->with($this->resourceId, config('services.ldap.base_dn'), \Mockery::type('string'), \Mockery::type('array'))
+ ->andReturn(['count' => 1, 0 => [
+ 'uid' => [$this->mockUser->name],
+ 'cn' => [$this->mockUser->name],
+ 'dn' => ['dc=test' . config('services.ldap.base_dn')]
+ ]]);
+ $this->mockLdap->shouldReceive('bind')->times(4)->andReturn(true);
+ $this->mockEscapes(2);
+
+ $this->mockUserLogin()
+ ->seePageIs('/login')
+ ->see('Please enter an email to use for this account.');
+
+
+ $this->type($email, '#email')
+ ->press('Log In')
+ ->seePageIs('/login')
+ ->see('That email domain does not have access to this application')
+ ->dontSeeInDatabase('users', ['email' => $email]);
+ }
+
+ public function test_login_works_when_no_uid_provided_by_ldap_server()
+ {
+ $this->mockLdap->shouldReceive('connect')->once()->andReturn($this->resourceId);
+ $this->mockLdap->shouldReceive('setVersion')->once();
+ $ldapDn = 'cn=test-user,dc=test' . config('services.ldap.base_dn');
+ $this->mockLdap->shouldReceive('setOption')->times(1);
+ $this->mockLdap->shouldReceive('searchAndGetEntries')->times(1)
->with($this->resourceId, config('services.ldap.base_dn'), \Mockery::type('string'), \Mockery::type('array'))
->andReturn(['count' => 1, 0 => [
'cn' => [$this->mockUser->name],
'dn' => $ldapDn,
'mail' => [$this->mockUser->email]
]]);
- $this->mockLdap->shouldReceive('bind')->times(3)->andReturn(true);
- $this->mockEscapes(2);
+ $this->mockLdap->shouldReceive('bind')->times(2)->andReturn(true);
+ $this->mockEscapes(1);
$this->mockUserLogin()
->seePageIs('/')
->seeInDatabase('users', ['email' => $this->mockUser->email, 'email_confirmed' => false, 'external_auth_id' => $ldapDn]);
}
- public function test_initial_incorrect_details()
+ public function test_a_custom_uid_attribute_can_be_specified_and_is_used_properly()
{
+ config()->set(['services.ldap.id_attribute' => 'my_custom_id']);
$this->mockLdap->shouldReceive('connect')->once()->andReturn($this->resourceId);
$this->mockLdap->shouldReceive('setVersion')->once();
- $this->mockLdap->shouldReceive('setOption')->times(2);
- $this->mockLdap->shouldReceive('searchAndGetEntries')->times(2)
+ $ldapDn = 'cn=test-user,dc=test' . config('services.ldap.base_dn');
+ $this->mockLdap->shouldReceive('setOption')->times(1);
+ $this->mockLdap->shouldReceive('searchAndGetEntries')->times(1)
+ ->with($this->resourceId, config('services.ldap.base_dn'), \Mockery::type('string'), \Mockery::type('array'))
+ ->andReturn(['count' => 1, 0 => [
+ 'cn' => [$this->mockUser->name],
+ 'dn' => $ldapDn,
+ 'my_custom_id' => ['cooluser456'],
+ 'mail' => [$this->mockUser->email]
+ ]]);
+
+
+ $this->mockLdap->shouldReceive('bind')->times(2)->andReturn(true);
+ $this->mockEscapes(1);
+
+ $this->mockUserLogin()
+ ->seePageIs('/')
+ ->see($this->mockUser->name)
+ ->seeInDatabase('users', ['email' => $this->mockUser->email, 'email_confirmed' => false, 'external_auth_id' => 'cooluser456']);
+ }
+
+ public function test_initial_incorrect_credentials()
+ {
+ $this->mockLdap->shouldReceive('connect')->once()->andReturn($this->resourceId);
+ $this->mockLdap->shouldReceive('setVersion')->once();
+ $this->mockLdap->shouldReceive('setOption')->times(1);
+ $this->mockLdap->shouldReceive('searchAndGetEntries')->times(1)
->with($this->resourceId, config('services.ldap.base_dn'), \Mockery::type('string'), \Mockery::type('array'))
->andReturn(['count' => 1, 0 => [
'uid' => [$this->mockUser->name],
'cn' => [$this->mockUser->name],
'dn' => ['dc=test' . config('services.ldap.base_dn')]
]]);
- $this->mockLdap->shouldReceive('bind')->times(3)->andReturn(true, true, false);
- $this->mockEscapes(2);
+ $this->mockLdap->shouldReceive('bind')->times(2)->andReturn(true, false);
+ $this->mockEscapes(1);
+
+ $this->mockUserLogin()
+ ->seePageIs('/login')->see('These credentials do not match our records.')
+ ->dontSeeInDatabase('users', ['external_auth_id' => $this->mockUser->name]);
+ }
+
+ public function test_login_not_found_username()
+ {
+ $this->mockLdap->shouldReceive('connect')->once()->andReturn($this->resourceId);
+ $this->mockLdap->shouldReceive('setVersion')->once();
+ $this->mockLdap->shouldReceive('setOption')->times(1);
+ $this->mockLdap->shouldReceive('searchAndGetEntries')->times(1)
+ ->with($this->resourceId, config('services.ldap.base_dn'), \Mockery::type('string'), \Mockery::type('array'))
+ ->andReturn(['count' => 0]);
+ $this->mockLdap->shouldReceive('bind')->times(1)->andReturn(true, false);
+ $this->mockEscapes(1);
$this->mockUserLogin()
->seePageIs('/login')->see('These credentials do not match our records.')
->dontSeeInDatabase('users', ['external_auth_id' => $this->mockUser->name]);
}
+
public function test_create_user_form()
{
$this->asAdmin()->visit('/settings/users/create')
'services.ldap.group_attribute' => 'memberOf',
'services.ldap.remove_from_groups' => false,
]);
- $this->mockLdap->shouldReceive('connect')->times(2)->andReturn($this->resourceId);
- $this->mockLdap->shouldReceive('setVersion')->times(2);
- $this->mockLdap->shouldReceive('setOption')->times(5);
- $this->mockLdap->shouldReceive('searchAndGetEntries')->times(5)
+ $this->mockLdap->shouldReceive('connect')->times(1)->andReturn($this->resourceId);
+ $this->mockLdap->shouldReceive('setVersion')->times(1);
+ $this->mockLdap->shouldReceive('setOption')->times(4);
+ $this->mockLdap->shouldReceive('searchAndGetEntries')->times(4)
->with($this->resourceId, config('services.ldap.base_dn'), \Mockery::type('string'), \Mockery::type('array'))
->andReturn(['count' => 1, 0 => [
'uid' => [$this->mockUser->name],
1 => "cn=ldaptester-second,ou=groups,dc=example,dc=com",
]
]]);
- $this->mockLdap->shouldReceive('bind')->times(6)->andReturn(true);
- $this->mockEscapes(5);
+ $this->mockLdap->shouldReceive('bind')->times(5)->andReturn(true);
+ $this->mockEscapes(4);
$this->mockExplodes(6);
$this->mockUserLogin()->seePageIs('/');
'services.ldap.group_attribute' => 'memberOf',
'services.ldap.remove_from_groups' => true,
]);
- $this->mockLdap->shouldReceive('connect')->times(2)->andReturn($this->resourceId);
- $this->mockLdap->shouldReceive('setVersion')->times(2);
- $this->mockLdap->shouldReceive('setOption')->times(4);
- $this->mockLdap->shouldReceive('searchAndGetEntries')->times(4)
+ $this->mockLdap->shouldReceive('connect')->times(1)->andReturn($this->resourceId);
+ $this->mockLdap->shouldReceive('setVersion')->times(1);
+ $this->mockLdap->shouldReceive('setOption')->times(3);
+ $this->mockLdap->shouldReceive('searchAndGetEntries')->times(3)
->with($this->resourceId, config('services.ldap.base_dn'), \Mockery::type('string'), \Mockery::type('array'))
->andReturn(['count' => 1, 0 => [
'uid' => [$this->mockUser->name],
0 => "cn=ldaptester,ou=groups,dc=example,dc=com",
]
]]);
- $this->mockLdap->shouldReceive('bind')->times(5)->andReturn(true);
- $this->mockEscapes(4);
+ $this->mockLdap->shouldReceive('bind')->times(4)->andReturn(true);
+ $this->mockEscapes(3);
$this->mockExplodes(2);
$this->mockUserLogin()->seePageIs('/');
'services.ldap.group_attribute' => 'memberOf',
'services.ldap.remove_from_groups' => true,
]);
- $this->mockLdap->shouldReceive('connect')->times(2)->andReturn($this->resourceId);
- $this->mockLdap->shouldReceive('setVersion')->times(2);
- $this->mockLdap->shouldReceive('setOption')->times(4);
- $this->mockLdap->shouldReceive('searchAndGetEntries')->times(4)
+ $this->mockLdap->shouldReceive('connect')->times(1)->andReturn($this->resourceId);
+ $this->mockLdap->shouldReceive('setVersion')->times(1);
+ $this->mockLdap->shouldReceive('setOption')->times(3);
+ $this->mockLdap->shouldReceive('searchAndGetEntries')->times(3)
->with($this->resourceId, config('services.ldap.base_dn'), \Mockery::type('string'), \Mockery::type('array'))
->andReturn(['count' => 1, 0 => [
'uid' => [$this->mockUser->name],
0 => "cn=ex-auth-a,ou=groups,dc=example,dc=com",
]
]]);
- $this->mockLdap->shouldReceive('bind')->times(5)->andReturn(true);
- $this->mockEscapes(4);
+ $this->mockLdap->shouldReceive('bind')->times(4)->andReturn(true);
+ $this->mockEscapes(3);
$this->mockExplodes(2);
$this->mockUserLogin()->seePageIs('/');
'services.ldap.group_attribute' => 'memberOf',
'services.ldap.remove_from_groups' => true,
]);
- $this->mockLdap->shouldReceive('connect')->times(2)->andReturn($this->resourceId);
- $this->mockLdap->shouldReceive('setVersion')->times(2);
- $this->mockLdap->shouldReceive('setOption')->times(5);
- $this->mockLdap->shouldReceive('searchAndGetEntries')->times(5)
+ $this->mockLdap->shouldReceive('connect')->times(1)->andReturn($this->resourceId);
+ $this->mockLdap->shouldReceive('setVersion')->times(1);
+ $this->mockLdap->shouldReceive('setOption')->times(4);
+ $this->mockLdap->shouldReceive('searchAndGetEntries')->times(4)
->with($this->resourceId, config('services.ldap.base_dn'), \Mockery::type('string'), \Mockery::type('array'))
->andReturn(['count' => 1, 0 => [
'uid' => [$this->mockUser->name],
1 => "cn=ldaptester-second,ou=groups,dc=example,dc=com",
]
]]);
- $this->mockLdap->shouldReceive('bind')->times(6)->andReturn(true);
- $this->mockEscapes(5);
+ $this->mockLdap->shouldReceive('bind')->times(5)->andReturn(true);
+ $this->mockEscapes(4);
$this->mockExplodes(6);
$this->mockUserLogin()->seePageIs('/');
$this->mockLdap->shouldReceive('connect')->once()->andReturn($this->resourceId);
$this->mockLdap->shouldReceive('setVersion')->once();
- $this->mockLdap->shouldReceive('setOption')->times(4);
- $this->mockLdap->shouldReceive('searchAndGetEntries')->times(4)
+ $this->mockLdap->shouldReceive('setOption')->times(2);
+ $this->mockLdap->shouldReceive('searchAndGetEntries')->times(2)
->with($this->resourceId, config('services.ldap.base_dn'), \Mockery::type('string'), \Mockery::type('array'))
->andReturn(['count' => 1, 0 => [
'uid' => [$this->mockUser->name],
'cn' => [$this->mockUser->name],
'dn' => ['dc=test' . config('services.ldap.base_dn')],
- 'displayName' => 'displayNameAttribute'
+ 'displayname' => 'displayNameAttribute'
]]);
- $this->mockLdap->shouldReceive('bind')->times(6)->andReturn(true);
- $this->mockEscapes(4);
+ $this->mockLdap->shouldReceive('bind')->times(4)->andReturn(true);
+ $this->mockEscapes(2);
$this->mockUserLogin()
->seePageIs('/login')->see('Please enter an email to use for this account.');
$this->mockLdap->shouldReceive('connect')->once()->andReturn($this->resourceId);
$this->mockLdap->shouldReceive('setVersion')->once();
- $this->mockLdap->shouldReceive('setOption')->times(4);
- $this->mockLdap->shouldReceive('searchAndGetEntries')->times(4)
+ $this->mockLdap->shouldReceive('setOption')->times(2);
+ $this->mockLdap->shouldReceive('searchAndGetEntries')->times(2)
->with($this->resourceId, config('services.ldap.base_dn'), \Mockery::type('string'), \Mockery::type('array'))
->andReturn(['count' => 1, 0 => [
'uid' => [$this->mockUser->name],
'cn' => [$this->mockUser->name],
'dn' => ['dc=test' . config('services.ldap.base_dn')]
]]);
- $this->mockLdap->shouldReceive('bind')->times(6)->andReturn(true);
- $this->mockEscapes(4);
+ $this->mockLdap->shouldReceive('bind')->times(4)->andReturn(true);
+ $this->mockEscapes(2);
$this->mockUserLogin()
->seePageIs('/login')->see('Please enter an email to use for this account.');
// Standard mocks
$this->mockLdap->shouldReceive('setVersion')->once();
- $this->mockLdap->shouldReceive('setOption')->times(2);
- $this->mockLdap->shouldReceive('searchAndGetEntries')->times(2)->andReturn(['count' => 1, 0 => [
+ $this->mockLdap->shouldReceive('setOption')->times(1);
+ $this->mockLdap->shouldReceive('searchAndGetEntries')->times(1)->andReturn(['count' => 1, 0 => [
'uid' => [$this->mockUser->name],
'cn' => [$this->mockUser->name],
'dn' => ['dc=test' . config('services.ldap.base_dn')]
]]);
- $this->mockLdap->shouldReceive('bind')->times(3)->andReturn(true);
- $this->mockEscapes(2);
+ $this->mockLdap->shouldReceive('bind')->times(2)->andReturn(true);
+ $this->mockEscapes(1);
$this->mockLdap->shouldReceive('connect')->once()
->with($expectedHost, $expectedPort)->andReturn($this->resourceId);
{
$this->checkLdapReceivesCorrectDetails('ldap.bookstack.com', 'ldap.bookstack.com', 389);
}
+
+ public function test_forgot_password_routes_inaccessible()
+ {
+ $resp = $this->get('/password/email');
+ $this->assertPermissionError($resp);
+
+ $resp = $this->post('/password/email');
+ $this->assertPermissionError($resp);
+
+ $resp = $this->get('/password/reset/abc123');
+ $this->assertPermissionError($resp);
+
+ $resp = $this->post('/password/reset');
+ $this->assertPermissionError($resp);
+ }
+
+ public function test_user_invite_routes_inaccessible()
+ {
+ $resp = $this->get('/register/invite/abc123');
+ $this->assertPermissionError($resp);
+
+ $resp = $this->post('/register/invite/abc123');
+ $this->assertPermissionError($resp);
+ }
+
+ public function test_user_register_routes_inaccessible()
+ {
+ $resp = $this->get('/register');
+ $this->assertPermissionError($resp);
+
+ $resp = $this->post('/register');
+ $this->assertPermissionError($resp);
+ }
+
+ public function test_dump_user_details_option_works()
+ {
+ config()->set(['services.ldap.dump_user_details' => true]);
+
+ $this->mockLdap->shouldReceive('connect')->once()->andReturn($this->resourceId);
+ $this->mockLdap->shouldReceive('setVersion')->once();
+ $this->mockLdap->shouldReceive('setOption')->times(1);
+ $this->mockLdap->shouldReceive('searchAndGetEntries')->times(1)
+ ->with($this->resourceId, config('services.ldap.base_dn'), \Mockery::type('string'), \Mockery::type('array'))
+ ->andReturn(['count' => 1, 0 => [
+ 'uid' => [$this->mockUser->name],
+ 'cn' => [$this->mockUser->name],
+ 'dn' => ['dc=test' . config('services.ldap.base_dn')]
+ ]]);
+ $this->mockLdap->shouldReceive('bind')->times(1)->andReturn(true);
+ $this->mockEscapes(1);
+
+ $this->post('/login', [
+ 'username' => $this->mockUser->name,
+ 'password' => $this->mockUser->password,
+ ]);
+ $this->seeJsonStructure([
+ 'details_from_ldap' => [],
+ 'details_bookstack_parsed' => [],
+ ]);
+ }
+
+ public function test_ldap_attributes_can_be_binary_decoded_if_marked()
+ {
+ config()->set(['services.ldap.id_attribute' => 'BIN;uid']);
+ $ldapService = app()->make(LdapService::class);
+
+ $this->mockLdap->shouldReceive('connect')->once()->andReturn($this->resourceId);
+ $this->mockLdap->shouldReceive('setVersion')->once();
+ $this->mockLdap->shouldReceive('setOption')->times(1);
+ $this->mockLdap->shouldReceive('searchAndGetEntries')->times(1)
+ ->with($this->resourceId, config('services.ldap.base_dn'), \Mockery::type('string'), ['cn', 'dn', 'uid', 'mail', 'cn'])
+ ->andReturn(['count' => 1, 0 => [
+ 'uid' => [hex2bin('FFF8F7')],
+ 'cn' => [$this->mockUser->name],
+ 'dn' => ['dc=test' . config('services.ldap.base_dn')]
+ ]]);
+ $this->mockLdap->shouldReceive('bind')->times(1)->andReturn(true);
+ $this->mockEscapes(1);
+
+ $details = $ldapService->getUserDetails('test');
+ $this->assertEquals('fff8f7', $details['uid']);
+ }
}
use BookStack\Auth\Role;
use BookStack\Auth\User;
-class Saml2 extends TestCase
+class Saml2Test extends TestCase
{
public function setUp(): void
parent::setUp();
// Set default config for SAML2
config()->set([
+ 'auth.method' => 'saml2',
+ 'auth.defaults.guard' => 'saml2',
'saml2.name' => 'SingleSignOn-Testing',
- 'saml2.enabled' => true,
- 'saml2.auto_register' => true,
'saml2.email_attribute' => 'email',
'saml2.display_name_attributes' => ['first_name', 'last_name'],
'saml2.external_id_attribute' => 'uid',
{
$req = $this->get('/login');
$req->assertSeeText('SingleSignOn-Testing');
- $req->assertElementExists('a[href$="/saml2/login"]');
- }
-
- public function test_login_option_shows_on_register_page_only_when_auto_register_enabled()
- {
- $this->setSettings(['app-public' => 'true', 'registration-enabled' => 'true']);
-
- $req = $this->get('/register');
- $req->assertSeeText('SingleSignOn-Testing');
- $req->assertElementExists('a[href$="/saml2/login"]');
-
- config()->set(['saml2.auto_register' => false]);
-
- $req = $this->get('/register');
- $req->assertDontSeeText('SingleSignOn-Testing');
- $req->assertElementNotExists('a[href$="/saml2/login"]');
+ $req->assertElementExists('form[action$="/saml2/login"][method=POST] button');
}
public function test_login()
{
- $req = $this->get('/saml2/login');
+ $req = $this->post('/saml2/login');
$redirect = $req->headers->get('location');
$this->assertStringStartsWith('http://saml.local/saml2/idp/SSOService.php', $redirect, 'Login redirects to SSO location');
$this->assertDatabaseHas('users', [
'external_auth_id' => 'user',
- 'email_confirmed' => true,
+ 'email_confirmed' => false,
'name' => 'Barry Scott'
]);
});
}
- public function test_logout_redirects_to_saml_logout_when_active_saml_session()
+ public function test_logout_link_directs_to_saml_path()
{
config()->set([
'saml2.onelogin.strict' => false,
]);
- $this->withPost(['SAMLResponse' => $this->acsPostData], function () {
- $acsPost = $this->post('/saml2/acs');
- $lastLoginType = session()->get('last_login_type');
- $this->assertEquals('saml2', $lastLoginType);
-
- $req = $this->get('/logout');
- $req->assertRedirect('/saml2/logout');
- });
+ $resp = $this->actingAs($this->getEditor())->get('/');
+ $resp->assertElementExists('a[href$="/saml2/logout"]');
+ $resp->assertElementContains('a[href$="/saml2/logout"]', 'Logout');
}
public function test_logout_sls_flow()
$acsPost = $this->post('/saml2/acs');
$acsPost->assertRedirect('/');
$errorMessage = session()->get('error');
- $this->assertEquals('
Registration unsuccessful since a user already exists with email address "[email protected]"', $errorMessage);
+ $this->assertEquals('
A user with the email [email protected] already exists but with different credentials.', $errorMessage);
});
}
public function test_saml_routes_are_only_active_if_saml_enabled()
{
- config()->set(['saml2.enabled' => false]);
- $getRoutes = ['/login', '/logout', '/metadata', '/sls'];
+ config()->set(['auth.method' => 'standard']);
+ $getRoutes = ['/logout', '/metadata', '/sls'];
foreach ($getRoutes as $route) {
$req = $this->get('/saml2' . $route);
- $req->assertRedirect('/');
- $error = session()->get('error');
- $this->assertStringStartsWith('You do not have permission to access', $error);
- session()->flush();
+ $this->assertPermissionError($req);
}
- $postRoutes = ['/acs'];
+ $postRoutes = ['/login', '/acs'];
foreach ($postRoutes as $route) {
$req = $this->post('/saml2' . $route);
- $req->assertRedirect('/');
- $error = session()->get('error');
- $this->assertStringStartsWith('You do not have permission to access', $error);
- session()->flush();
+ $this->assertPermissionError($req);
}
}
+ public function test_forgot_password_routes_inaccessible()
+ {
+ $resp = $this->get('/password/email');
+ $this->assertPermissionError($resp);
+
+ $resp = $this->post('/password/email');
+ $this->assertPermissionError($resp);
+
+ $resp = $this->get('/password/reset/abc123');
+ $this->assertPermissionError($resp);
+
+ $resp = $this->post('/password/reset');
+ $this->assertPermissionError($resp);
+ }
+
+ public function test_standard_login_routes_inaccessible()
+ {
+ $resp = $this->post('/login');
+ $this->assertPermissionError($resp);
+
+ $resp = $this->get('/logout');
+ $this->assertPermissionError($resp);
+ }
+
+ public function test_user_invite_routes_inaccessible()
+ {
+ $resp = $this->get('/register/invite/abc123');
+ $this->assertPermissionError($resp);
+
+ $resp = $this->post('/register/invite/abc123');
+ $this->assertPermissionError($resp);
+ }
+
+ public function test_user_register_routes_inaccessible()
+ {
+ $resp = $this->get('/register');
+ $this->assertPermissionError($resp);
+
+ $resp = $this->post('/register');
+ $this->assertPermissionError($resp);
+ }
+
+ public function test_email_domain_restriction_active_on_new_saml_login()
+ {
+ $this->setSettings([
+ 'registration-restrict' => 'testing.com'
+ ]);
+ config()->set([
+ 'saml2.onelogin.strict' => false,
+ ]);
+
+ $this->withPost(['SAMLResponse' => $this->acsPostData], function () {
+ $acsPost = $this->post('/saml2/acs');
+ $acsPost->assertRedirect('/login');
+ $errorMessage = session()->get('error');
+ $this->assertStringContainsString('That email domain does not have access to this application', $errorMessage);
+ });
+ }
+
protected function withGet(array $options, callable $callback)
{
return $this->withGlobal($_GET, $options, $callback);
<?php namespace Tests;
+use BookStack\Auth\User;
+use DB;
+use Laravel\Socialite\Contracts\Factory;
+use Laravel\Socialite\Contracts\Provider;
+use Mockery;
+
class SocialAuthTest extends TestCase
{
public function test_social_registration()
{
- // http://docs.mockery.io/en/latest/reference/startup_methods.html
- $user = factory(\BookStack\Auth\User::class)->make();
+ $user = factory(User::class)->make();
$this->setSettings(['registration-enabled' => 'true']);
config(['GOOGLE_APP_ID' => 'abc123', 'GOOGLE_APP_SECRET' => '123abc', 'APP_URL' => 'http://localhost']);
- $mockSocialite = \Mockery::mock('Laravel\Socialite\Contracts\Factory');
- $this->app['Laravel\Socialite\Contracts\Factory'] = $mockSocialite;
- $mockSocialDriver = \Mockery::mock('Laravel\Socialite\Contracts\Provider');
- $mockSocialUser = \Mockery::mock('\Laravel\Socialite\Contracts\User');
+ $mockSocialite = Mockery::mock(Factory::class);
+ $this->app[Factory::class] = $mockSocialite;
+ $mockSocialDriver = Mockery::mock(Provider::class);
+ $mockSocialUser = Mockery::mock(\Laravel\Socialite\Contracts\User::class);
$mockSocialite->shouldReceive('driver')->twice()->with('google')->andReturn($mockSocialDriver);
$mockSocialDriver->shouldReceive('redirect')->once()->andReturn(redirect('/'));
'APP_URL' => 'http://localhost'
]);
- $mockSocialite = \Mockery::mock('Laravel\Socialite\Contracts\Factory');
- $this->app['Laravel\Socialite\Contracts\Factory'] = $mockSocialite;
- $mockSocialDriver = \Mockery::mock('Laravel\Socialite\Contracts\Provider');
- $mockSocialUser = \Mockery::mock('\Laravel\Socialite\Contracts\User');
+ $mockSocialite = Mockery::mock(Factory::class);
+ $this->app[Factory::class] = $mockSocialite;
+ $mockSocialDriver = Mockery::mock(Provider::class);
+ $mockSocialUser = Mockery::mock(\Laravel\Socialite\Contracts\User::class);
$mockSocialUser->shouldReceive('getId')->twice()->andReturn('logintest123');
// Test social callback with matching social account
- \DB::table('social_accounts')->insert([
+ DB::table('social_accounts')->insert([
'user_id' => $this->getAdmin()->id,
'driver' => 'github',
'driver_id' => 'logintest123'
'APP_URL' => 'http://localhost'
]);
- $user = factory(\BookStack\Auth\User::class)->make();
- $mockSocialite = \Mockery::mock('Laravel\Socialite\Contracts\Factory');
- $this->app['Laravel\Socialite\Contracts\Factory'] = $mockSocialite;
- $mockSocialDriver = \Mockery::mock('Laravel\Socialite\Contracts\Provider');
- $mockSocialUser = \Mockery::mock('\Laravel\Socialite\Contracts\User');
+ $user = factory(User::class)->make();
+ $mockSocialite = Mockery::mock(Factory::class);
+ $this->app[Factory::class] = $mockSocialite;
+ $mockSocialDriver = Mockery::mock(Provider::class);
+ $mockSocialUser = Mockery::mock(\Laravel\Socialite\Contracts\User::class);
$mockSocialUser->shouldReceive('getId')->times(4)->andReturn(1);
$mockSocialUser->shouldReceive('getEmail')->times(2)->andReturn($user->email);
'APP_URL' => 'http://localhost', 'services.google.auto_register' => true, 'services.google.auto_confirm' => true
]);
- $user = factory(\BookStack\Auth\User::class)->make();
- $mockSocialite = \Mockery::mock('Laravel\Socialite\Contracts\Factory');
- $this->app['Laravel\Socialite\Contracts\Factory'] = $mockSocialite;
- $mockSocialDriver = \Mockery::mock('Laravel\Socialite\Contracts\Provider');
- $mockSocialUser = \Mockery::mock('\Laravel\Socialite\Contracts\User');
+ $user = factory(User::class)->make();
+ $mockSocialite = Mockery::mock(Factory::class);
+ $this->app[Factory::class] = $mockSocialite;
+ $mockSocialDriver = Mockery::mock(Provider::class);
+ $mockSocialUser = Mockery::mock(\Laravel\Socialite\Contracts\User::class);
$mockSocialUser->shouldReceive('getId')->times(3)->andReturn(1);
$mockSocialUser->shouldReceive('getEmail')->times(2)->andReturn($user->email);
$this->assertStringContainsString('prompt=select_account', $resp->headers->get('Location'));
}
+ public function test_social_registration_with_no_name_uses_email_as_name()
+ {
+
+ $this->setSettings(['registration-enabled' => 'true']);
+ config(['GITHUB_APP_ID' => 'abc123', 'GITHUB_APP_SECRET' => '123abc', 'APP_URL' => 'http://localhost']);
+
+ $mockSocialite = Mockery::mock(Factory::class);
+ $this->app[Factory::class] = $mockSocialite;
+ $mockSocialDriver = Mockery::mock(Provider::class);
+ $mockSocialUser = Mockery::mock(\Laravel\Socialite\Contracts\User::class);
+
+ $mockSocialite->shouldReceive('driver')->twice()->with('github')->andReturn($mockSocialDriver);
+ $mockSocialDriver->shouldReceive('redirect')->once()->andReturn(redirect('/'));
+ $mockSocialDriver->shouldReceive('user')->once()->andReturn($mockSocialUser);
+
+ $mockSocialUser->shouldReceive('getId')->twice()->andReturn(1);
+ $mockSocialUser->shouldReceive('getEmail')->twice()->andReturn($user->email);
+ $mockSocialUser->shouldReceive('getName')->once()->andReturn('');
+ $mockSocialUser->shouldReceive('getAvatar')->once()->andReturn('avatar_placeholder');
+
+ $this->get('/register/service/github');
+ $this->get('/login/service/github/callback');
+ $this->assertDatabaseHas('users', ['name' => 'nonameuser', 'email' => $user->email]);
+ $user = $user->whereEmail($user->email)->first();
+ $this->assertDatabaseHas('social_accounts', ['user_id' => $user->id]);
+ }
+
}
<?php namespace Tests;
-use BookStack\Auth\Role;
use BookStack\Auth\User;
use BookStack\Entities\Book;
use BookStack\Entities\Bookshelf;
+use BookStack\Uploads\Image;
use Illuminate\Support\Str;
+use Tests\Uploads\UsesImages;
class BookShelfTest extends TestCase
{
+ use UsesImages;
+
public function test_shelves_shows_in_header_if_have_view_permissions()
{
$viewer = $this->getViewer();
$this->assertDatabaseHas('bookshelves_books', ['bookshelf_id' => $shelf->id, 'book_id' => $booksToInclude[1]->id]);
}
+ public function test_shelves_create_sets_cover_image()
+ {
+ $shelfInfo = [
+ 'name' => 'My test book' . Str::random(4),
+ 'description' => 'Test book description ' . Str::random(10)
+ ];
+
+ $imageFile = $this->getTestImage('shelf-test.png');
+ $resp = $this->asEditor()->call('POST', '/shelves', $shelfInfo, [], ['image' => $imageFile]);
+ $resp->assertRedirect();
+
+ $lastImage = Image::query()->orderByDesc('id')->firstOrFail();
+ $shelf = Bookshelf::query()->where('name', '=', $shelfInfo['name'])->first();
+ $this->assertDatabaseHas('bookshelves', [
+ 'id' => $shelf->id,
+ 'image_id' => $lastImage->id,
+ ]);
+ $this->assertEquals($lastImage->id, $shelf->cover->id);
+ }
+
public function test_shelf_view()
{
$shelf = Bookshelf::first();
<?php namespace Tests;
-
+use BookStack\Actions\Tag;
+use BookStack\Entities\Book;
use BookStack\Entities\Bookshelf;
use BookStack\Entities\Chapter;
use BookStack\Entities\Page;
public function test_page_search()
{
- $book = \BookStack\Entities\Book::all()->first();
+ $book = Book::all()->first();
$page = $book->pages->first();
$search = $this->asEditor()->get('/search?term=' . urlencode($page->name));
public function test_book_search()
{
- $book = \BookStack\Entities\Book::first();
+ $book = Book::first();
$page = $book->pages->last();
$chapter = $book->chapters->last();
public function test_chapter_search()
{
- $chapter = \BookStack\Entities\Chapter::has('pages')->first();
+ $chapter = Chapter::has('pages')->first();
$page = $chapter->pages[0];
$pageTestResp = $this->asEditor()->get('/search/chapter/' . $chapter->id . '?term=' . urlencode($page->name));
public function test_tag_search()
{
$newTags = [
- new \BookStack\Actions\Tag([
+ new Tag([
'name' => 'animal',
'value' => 'cat'
]),
- new \BookStack\Actions\Tag([
+ new Tag([
'name' => 'color',
'value' => 'red'
])
$chapterSearch->assertSee($chapter->name);
$chapterSearch->assertSee($chapter->book->getShortName(42));
}
+
+ public function test_sibling_search_for_pages()
+ {
+ $chapter = Chapter::query()->with('pages')->first();
+ $this->assertGreaterThan(2, count($chapter->pages), 'Ensure we\'re testing with at least 1 sibling');
+ $page = $chapter->pages->first();
+
+ $search = $this->actingAs($this->getViewer())->get("/search/entity/siblings?entity_id={$page->id}&entity_type=page");
+ $search->assertSuccessful();
+ foreach ($chapter->pages as $page) {
+ $search->assertSee($page->name);
+ }
+
+ $search->assertDontSee($chapter->name);
+ }
+
+ public function test_sibling_search_for_pages_without_chapter()
+ {
+ $page = Page::query()->where('chapter_id', '=', 0)->firstOrFail();
+ $bookChildren = $page->book->getDirectChildren();
+ $this->assertGreaterThan(2, count($bookChildren), 'Ensure we\'re testing with at least 1 sibling');
+
+ $search = $this->actingAs($this->getViewer())->get("/search/entity/siblings?entity_id={$page->id}&entity_type=page");
+ $search->assertSuccessful();
+ foreach ($bookChildren as $child) {
+ $search->assertSee($child->name);
+ }
+
+ $search->assertDontSee($page->book->name);
+ }
+
+ public function test_sibling_search_for_chapters()
+ {
+ $chapter = Chapter::query()->firstOrFail();
+ $bookChildren = $chapter->book->getDirectChildren();
+ $this->assertGreaterThan(2, count($bookChildren), 'Ensure we\'re testing with at least 1 sibling');
+
+ $search = $this->actingAs($this->getViewer())->get("/search/entity/siblings?entity_id={$chapter->id}&entity_type=chapter");
+ $search->assertSuccessful();
+ foreach ($bookChildren as $child) {
+ $search->assertSee($child->name);
+ }
+
+ $search->assertDontSee($chapter->book->name);
+ }
+
+ public function test_sibling_search_for_books()
+ {
+ $books = Book::query()->take(10)->get();
+ $book = $books->first();
+ $this->assertGreaterThan(2, count($books), 'Ensure we\'re testing with at least 1 sibling');
+
+ $search = $this->actingAs($this->getViewer())->get("/search/entity/siblings?entity_id={$book->id}&entity_type=book");
+ $search->assertSuccessful();
+ foreach ($books as $expectedBook) {
+ $search->assertSee($expectedBook->name);
+ }
+ }
+
+ public function test_sibling_search_for_shelves()
+ {
+ $shelves = Bookshelf::query()->take(10)->get();
+ $shelf = $shelves->first();
+ $this->assertGreaterThan(2, count($shelves), 'Ensure we\'re testing with at least 1 sibling');
+
+ $search = $this->actingAs($this->getViewer())->get("/search/entity/siblings?entity_id={$shelf->id}&entity_type=bookshelf");
+ $search->assertSuccessful();
+ foreach ($shelves as $expectedShelf) {
+ $search->assertSee($expectedShelf->name);
+ }
+ }
}
->seePageIs($book->getUrl());
}
+ public function test_page_within_chapter_deletion_returns_to_chapter()
+ {
+ $chapter = Chapter::query()->first();
+ $page = $chapter->pages()->first();
+
+ $this->asEditor()->visit($page->getUrl('/delete'))
+ ->submitForm('Confirm')
+ ->seePageIs($chapter->getUrl());
+ }
+
}
$configLocales = config('app.locales');
sort($configLocales);
sort($this->langs);
- $this->assertTrue(implode(':', $this->langs) === implode(':', $configLocales), 'app.locales configuration variable matches found lang files');
+ $this->assertEquals(implode(':', $configLocales), implode(':', $this->langs), 'app.locales configuration variable does not match those found in lang files');
}
public function test_correct_language_if_not_logged_in()
$ownPage->getUrl() => 'Delete'
]);
- $bookUrl = $ownPage->book->getUrl();
+ $parent = $ownPage->chapter ?? $ownPage->book;
$this->visit($otherPage->getUrl())
->dontSeeInElement('.action-buttons', 'Delete')
->visit($otherPage->getUrl() . '/delete')
->seePageIs('/');
$this->visit($ownPage->getUrl())->visit($ownPage->getUrl() . '/delete')
->press('Confirm')
- ->seePageIs($bookUrl)
+ ->seePageIs($parent->getUrl())
->dontSeeInElement('.book-content', $ownPage->name);
}
$otherPage->getUrl() => 'Delete'
]);
- $bookUrl = $otherPage->book->getUrl();
+ $parent = $otherPage->chapter ?? $otherPage->book;
$this->visit($otherPage->getUrl())->visit($otherPage->getUrl() . '/delete')
->press('Confirm')
- ->seePageIs($bookUrl)
+ ->seePageIs($parent->getUrl())
->dontSeeInElement('.book-content', $otherPage->name);
}
self::assertThat($passed, self::isTrue(), "Failed asserting that given map:\n\n{$toCheckStr}\n\nincludes:\n\n{$toIncludeStr}");
}
+ /**
+ * Assert a permission error has occurred.
+ */
+ protected function assertPermissionError($response)
+ {
+ if ($response instanceof BrowserKitTest) {
+ $response = \Illuminate\Foundation\Testing\TestResponse::fromBaseResponse($response->response);
+ }
+
+ $response->assertRedirect('/');
+ $this->assertSessionHas('error');
+ $error = session()->pull('error');
+ $this->assertStringStartsWith('You do not have permission to access', $error);
+ }
+
}
\ No newline at end of file
<?php namespace Tests;
+use BookStack\Entities\Entity;
use Illuminate\Foundation\Testing\DatabaseTransactions;
use Illuminate\Foundation\Testing\TestCase as BaseTestCase;
*/
protected $baseUrl = 'http://localhost';
- /**
- * Assert a permission error has occurred.
- * @param TestResponse $response
- * @return TestCase
- */
- protected function assertPermissionError(TestResponse $response)
- {
- $response->assertRedirect('/');
- $this->assertSessionHas('error');
- session()->remove('error');
- return $this;
- }
-
/**
* Assert the session contains a specific entry.
* @param string $key
{
return TestResponse::fromBaseResponse($response);
}
+
+ /**
+ * Assert that an activity entry exists of the given key.
+ * Checks the activity belongs to the given entity if provided.
+ */
+ protected function assertActivityExists(string $key, Entity $entity = null)
+ {
+ $detailsToCheck = ['key' => $key];
+
+ if ($entity) {
+ $detailsToCheck['entity_type'] = $entity->getMorphClass();
+ $detailsToCheck['entity_id'] = $entity->id;
+ }
+
+ $this->assertDatabaseHas('activities', $detailsToCheck);
+ }
}
\ No newline at end of file
<?php namespace Tests;
use BookStack\Notifications\TestEmail;
+use Illuminate\Contracts\Notifications\Dispatcher;
use Illuminate\Support\Facades\Notification;
class TestEmailTest extends TestCase
Notification::assertSentTo($admin, TestEmail::class);
}
+ public function test_send_test_email_failure_displays_error_notification()
+ {
+ $mockDispatcher = $this->mock(Dispatcher::class);
+ $this->app[Dispatcher::class] = $mockDispatcher;
+
+ $exception = new \Exception('A random error occurred when testing an email');
+ $mockDispatcher->shouldReceive('send')->andThrow($exception);
+
+ $admin = $this->getAdmin();
+ $sendReq = $this->actingAs($admin)->post('/settings/maintenance/send-test-email');
+ $sendReq->assertRedirect('/settings/maintenance#image-cleanup');
+ $this->assertSessionHas('error');
+
+ $message = session()->get('error');
+ $this->assertStringContainsString('Error thrown when sending a test email:', $message);
+ $this->assertStringContainsString('A random error occurred when testing an email', $message);
+ }
+
public function test_send_test_email_requires_settings_manage_permission()
{
Notification::fake();
--- /dev/null
+<?php
+
+namespace Tests;
+
+trait TestsApi
+{
+
+ protected $apiTokenId = 'apitoken';
+ protected $apiTokenSecret = 'password';
+
+ /**
+ * Set the API editor role as the current user via the API driver.
+ */
+ protected function actingAsApiEditor()
+ {
+ $this->actingAs($this->getEditor(), 'api');
+ return $this;
+ }
+
+ /**
+ * Format the given items into a standardised error format.
+ */
+ protected function errorResponse(string $message, int $code): array
+ {
+ return ["error" => ["code" => $code, "message" => $message]];
+ }
+
+ /**
+ * Get an approved API auth header.
+ */
+ protected function apiAuthHeader(): array
+ {
+ return [
+ "Authorization" => "Token {$this->apiTokenId}:{$this->apiTokenSecret}"
+ ];
+ }
+
+}
\ No newline at end of file
]);
}
+ public function test_image_display_thumbnail_generation_does_not_increase_image_size()
+ {
+ $page = Page::first();
+ $admin = $this->getAdmin();
+ $this->actingAs($admin);
+
+ $originalFile = $this->getTestImageFilePath('compressed.png');
+ $originalFileSize = filesize($originalFile);
+ $imgDetails = $this->uploadGalleryImage($page, 'compressed.png');
+ $relPath = $imgDetails['path'];
+
+ $this->assertTrue(file_exists(public_path($relPath)), 'Uploaded image found at path: '. public_path($relPath));
+ $displayImage = $imgDetails['response']->thumbs->display;
+
+ $displayImageRelPath = implode('/', array_slice(explode('/', $displayImage), 3));
+ $displayImagePath = public_path($displayImageRelPath);
+ $displayFileSize = filesize($displayImagePath);
+
+ $this->deleteImage($relPath);
+ $this->deleteImage($displayImageRelPath);
+
+ $this->assertEquals($originalFileSize, $displayFileSize, 'Display thumbnail generation should not increase image size');
+ }
+
public function test_image_edit()
{
$editor = $this->getEditor();
* Get the path to our basic test image.
* @return string
*/
- protected function getTestImageFilePath()
+ protected function getTestImageFilePath(?string $fileName = null)
{
- return base_path('tests/test-data/test-image.png');
+ if (is_null($fileName)) {
+ $fileName = 'test-image.png';
+ }
+
+ return base_path('tests/test-data/' . $fileName);
}
/**
* @param $fileName
* @return UploadedFile
*/
- protected function getTestImage($fileName)
+ protected function getTestImage($fileName, ?string $testDataFileName = null)
{
- return new UploadedFile($this->getTestImageFilePath(), $fileName, 'image/png', 5238, null, true);
+ return new UploadedFile($this->getTestImageFilePath($testDataFileName), $fileName, 'image/png', 5238, null, true);
}
/**
* @param string $contentType
* @return \Illuminate\Foundation\Testing\TestResponse
*/
- protected function uploadImage($name, $uploadedTo = 0, $contentType = 'image/png')
+ protected function uploadImage($name, $uploadedTo = 0, $contentType = 'image/png', ?string $testDataFileName = null)
{
- $file = $this->getTestImage($name);
+ $file = $this->getTestImage($name, $testDataFileName);
return $this->withHeader('Content-Type', $contentType)
->call('POST', '/images/gallery', ['uploaded_to' => $uploadedTo], [], ['file' => $file], []);
}
* @param Page|null $page
* @return array
*/
- protected function uploadGalleryImage(Page $page = null)
+ protected function uploadGalleryImage(Page $page = null, ?string $testDataFileName = null)
{
if ($page === null) {
$page = Page::query()->first();
}
- $imageName = 'first-image.png';
+ $imageName = $testDataFileName ?? 'first-image.png';
$relPath = $this->getTestImagePath('gallery', $imageName);
$this->deleteImage($relPath);
- $upload = $this->uploadImage($imageName, $page->id);
+ $upload = $this->uploadImage($imageName, $page->id, 'image/png', $testDataFileName);
$upload->assertStatus(200);
return [
'name' => $imageName,
'path' => $relPath,
- 'page' => $page
+ 'page' => $page,
+ 'response' => json_decode($upload->getContent()),
];
}
--- /dev/null
+<?php namespace Test;
+
+use BookStack\Api\ApiToken;
+use Carbon\Carbon;
+use Tests\TestCase;
+
+class UserApiTokenTest extends TestCase
+{
+
+ protected $testTokenData = [
+ 'name' => 'My test API token',
+ 'expires_at' => '2050-04-01',
+ ];
+
+ public function test_tokens_section_not_visible_without_access_api_permission()
+ {
+ $user = $this->getViewer();
+
+ $resp = $this->actingAs($user)->get($user->getEditUrl());
+ $resp->assertDontSeeText('API Tokens');
+
+ $this->giveUserPermissions($user, ['access-api']);
+
+ $resp = $this->actingAs($user)->get($user->getEditUrl());
+ $resp->assertSeeText('API Tokens');
+ $resp->assertSeeText('Create Token');
+ }
+
+ public function test_those_with_manage_users_can_view_other_user_tokens_but_not_create()
+ {
+ $viewer = $this->getViewer();
+ $editor = $this->getEditor();
+ $this->giveUserPermissions($viewer, ['users-manage']);
+
+ $resp = $this->actingAs($viewer)->get($editor->getEditUrl());
+ $resp->assertSeeText('API Tokens');
+ $resp->assertDontSeeText('Create Token');
+ }
+
+ public function test_create_api_token()
+ {
+ $editor = $this->getEditor();
+
+ $resp = $this->asAdmin()->get($editor->getEditUrl('/create-api-token'));
+ $resp->assertStatus(200);
+ $resp->assertSee('Create API Token');
+ $resp->assertSee('Token Secret');
+
+ $resp = $this->post($editor->getEditUrl('/create-api-token'), $this->testTokenData);
+ $token = ApiToken::query()->latest()->first();
+ $resp->assertRedirect($editor->getEditUrl('/api-tokens/' . $token->id));
+ $this->assertDatabaseHas('api_tokens', [
+ 'user_id' => $editor->id,
+ 'name' => $this->testTokenData['name'],
+ 'expires_at' => $this->testTokenData['expires_at'],
+ ]);
+
+ // Check secret token
+ $this->assertSessionHas('api-token-secret:' . $token->id);
+ $secret = session('api-token-secret:' . $token->id);
+ $this->assertDatabaseMissing('api_tokens', [
+ 'secret' => $secret,
+ ]);
+ $this->assertTrue(\Hash::check($secret, $token->secret));
+
+ $this->assertTrue(strlen($token->token_id) === 32);
+ $this->assertTrue(strlen($secret) === 32);
+
+ $this->assertSessionHas('success');
+ }
+
+ public function test_create_with_no_expiry_sets_expiry_hundred_years_away()
+ {
+ $editor = $this->getEditor();
+ $this->asAdmin()->post($editor->getEditUrl('/create-api-token'), ['name' => 'No expiry token', 'expires_at' => '']);
+ $token = ApiToken::query()->latest()->first();
+
+ $over = Carbon::now()->addYears(101);
+ $under = Carbon::now()->addYears(99);
+ $this->assertTrue(
+ ($token->expires_at < $over && $token->expires_at > $under),
+ "Token expiry set at 100 years in future"
+ );
+ }
+
+ public function test_created_token_displays_on_profile_page()
+ {
+ $editor = $this->getEditor();
+ $this->asAdmin()->post($editor->getEditUrl('/create-api-token'), $this->testTokenData);
+ $token = ApiToken::query()->latest()->first();
+
+ $resp = $this->get($editor->getEditUrl());
+ $resp->assertElementExists('#api_tokens');
+ $resp->assertElementContains('#api_tokens', $token->name);
+ $resp->assertElementContains('#api_tokens', $token->token_id);
+ $resp->assertElementContains('#api_tokens', $token->expires_at->format('Y-m-d'));
+ }
+
+ public function test_secret_shown_once_after_creation()
+ {
+ $editor = $this->getEditor();
+ $resp = $this->asAdmin()->followingRedirects()->post($editor->getEditUrl('/create-api-token'), $this->testTokenData);
+ $resp->assertSeeText('Token Secret');
+
+ $token = ApiToken::query()->latest()->first();
+ $this->assertNull(session('api-token-secret:' . $token->id));
+
+ $resp = $this->get($editor->getEditUrl('/api-tokens/' . $token->id));
+ $resp->assertDontSeeText('Client Secret');
+ }
+
+ public function test_token_update()
+ {
+ $editor = $this->getEditor();
+ $this->asAdmin()->post($editor->getEditUrl('/create-api-token'), $this->testTokenData);
+ $token = ApiToken::query()->latest()->first();
+ $updateData = [
+ 'name' => 'My updated token',
+ 'expires_at' => '2011-01-01',
+ ];
+
+ $resp = $this->put($editor->getEditUrl('/api-tokens/' . $token->id), $updateData);
+ $resp->assertRedirect($editor->getEditUrl('/api-tokens/' . $token->id));
+
+ $this->assertDatabaseHas('api_tokens', array_merge($updateData, ['id' => $token->id]));
+ $this->assertSessionHas('success');
+ }
+
+ public function test_token_update_with_blank_expiry_sets_to_hundred_years_away()
+ {
+ $editor = $this->getEditor();
+ $this->asAdmin()->post($editor->getEditUrl('/create-api-token'), $this->testTokenData);
+ $token = ApiToken::query()->latest()->first();
+
+ $resp = $this->put($editor->getEditUrl('/api-tokens/' . $token->id), [
+ 'name' => 'My updated token',
+ 'expires_at' => '',
+ ]);
+ $token->refresh();
+
+ $over = Carbon::now()->addYears(101);
+ $under = Carbon::now()->addYears(99);
+ $this->assertTrue(
+ ($token->expires_at < $over && $token->expires_at > $under),
+ "Token expiry set at 100 years in future"
+ );
+ }
+
+ public function test_token_delete()
+ {
+ $editor = $this->getEditor();
+ $this->asAdmin()->post($editor->getEditUrl('/create-api-token'), $this->testTokenData);
+ $token = ApiToken::query()->latest()->first();
+
+ $tokenUrl = $editor->getEditUrl('/api-tokens/' . $token->id);
+
+ $resp = $this->get($tokenUrl . '/delete');
+ $resp->assertSeeText('Delete Token');
+ $resp->assertSeeText($token->name);
+ $resp->assertElementExists('form[action="'.$tokenUrl.'"]');
+
+ $resp = $this->delete($tokenUrl);
+ $resp->assertRedirect($editor->getEditUrl('#api_tokens'));
+ $this->assertDatabaseMissing('api_tokens', ['id' => $token->id]);
+ }
+
+ public function test_user_manage_can_delete_token_without_api_permission_themselves()
+ {
+ $viewer = $this->getViewer();
+ $editor = $this->getEditor();
+ $this->giveUserPermissions($editor, ['users-manage']);
+
+ $this->asAdmin()->post($viewer->getEditUrl('/create-api-token'), $this->testTokenData);
+ $token = ApiToken::query()->latest()->first();
+
+ $resp = $this->actingAs($editor)->get($viewer->getEditUrl('/api-tokens/' . $token->id));
+ $resp->assertStatus(200);
+ $resp->assertSeeText('Delete Token');
+
+ $resp = $this->actingAs($editor)->delete($viewer->getEditUrl('/api-tokens/' . $token->id));
+ $resp->assertRedirect($viewer->getEditUrl('#api_tokens'));
+ $this->assertDatabaseMissing('api_tokens', ['id' => $token->id]);
+ }
+
+}
\ No newline at end of file