mirror of
https://github.com/BookStackApp/BookStack.git
synced 2025-04-02 21:59:06 +08:00
Merge branch 'master' into dropzone-timeout
This commit is contained in:
commit
5fe630b8d2
@ -92,4 +92,27 @@ class Ldap
|
|||||||
{
|
{
|
||||||
return ldap_bind($ldapConnection, $bindRdn, $bindPassword);
|
return ldap_bind($ldapConnection, $bindRdn, $bindPassword);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Explode a LDAP dn string into an array of components.
|
||||||
|
* @param string $dn
|
||||||
|
* @param int $withAttrib
|
||||||
|
* @return array
|
||||||
|
*/
|
||||||
|
public function explodeDn(string $dn, int $withAttrib)
|
||||||
|
{
|
||||||
|
return ldap_explode_dn($dn, $withAttrib);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Escape a string for use in an LDAP filter.
|
||||||
|
* @param string $value
|
||||||
|
* @param string $ignore
|
||||||
|
* @param int $flags
|
||||||
|
* @return string
|
||||||
|
*/
|
||||||
|
public function escape(string $value, string $ignore = "", int $flags = 0)
|
||||||
|
{
|
||||||
|
return ldap_escape($value, $ignore, $flags);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
@ -107,6 +107,7 @@ class LdapService
|
|||||||
if ($ldapUser === null) {
|
if ($ldapUser === null) {
|
||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
|
|
||||||
if ($ldapUser['uid'] !== $user->external_auth_id) {
|
if ($ldapUser['uid'] !== $user->external_auth_id) {
|
||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
@ -195,7 +196,7 @@ class LdapService
|
|||||||
$newAttrs = [];
|
$newAttrs = [];
|
||||||
foreach ($attrs as $key => $attrText) {
|
foreach ($attrs as $key => $attrText) {
|
||||||
$newKey = '${' . $key . '}';
|
$newKey = '${' . $key . '}';
|
||||||
$newAttrs[$newKey] = $attrText;
|
$newAttrs[$newKey] = $this->ldap->escape($attrText);
|
||||||
}
|
}
|
||||||
return strtr($filterString, $newAttrs);
|
return strtr($filterString, $newAttrs);
|
||||||
}
|
}
|
||||||
@ -265,7 +266,8 @@ class LdapService
|
|||||||
$baseDn = $this->config['base_dn'];
|
$baseDn = $this->config['base_dn'];
|
||||||
$groupsAttr = strtolower($this->config['group_attribute']);
|
$groupsAttr = strtolower($this->config['group_attribute']);
|
||||||
|
|
||||||
$groups = $this->ldap->searchAndGetEntries($ldapConnection, $baseDn, 'CN='.$groupName, [$groupsAttr]);
|
$groupFilter = 'CN=' . $this->ldap->escape($groupName);
|
||||||
|
$groups = $this->ldap->searchAndGetEntries($ldapConnection, $baseDn, $groupFilter, [$groupsAttr]);
|
||||||
if ($groups['count'] === 0) {
|
if ($groups['count'] === 0) {
|
||||||
return [];
|
return [];
|
||||||
}
|
}
|
||||||
@ -277,23 +279,26 @@ class LdapService
|
|||||||
/**
|
/**
|
||||||
* Filter out LDAP CN and DN language in a ldap search return
|
* Filter out LDAP CN and DN language in a ldap search return
|
||||||
* Gets the base CN (common name) of the string
|
* Gets the base CN (common name) of the string
|
||||||
* @param string $ldapSearchReturn
|
* @param array $userGroupSearchResponse
|
||||||
* @return array
|
* @return array
|
||||||
*/
|
*/
|
||||||
protected function groupFilter($ldapSearchReturn)
|
protected function groupFilter(array $userGroupSearchResponse)
|
||||||
{
|
{
|
||||||
$groupsAttr = strtolower($this->config['group_attribute']);
|
$groupsAttr = strtolower($this->config['group_attribute']);
|
||||||
$ldapGroups = [];
|
$ldapGroups = [];
|
||||||
$count = 0;
|
$count = 0;
|
||||||
if (isset($ldapSearchReturn[$groupsAttr]['count'])) {
|
|
||||||
$count = (int) $ldapSearchReturn[$groupsAttr]['count'];
|
if (isset($userGroupSearchResponse[$groupsAttr]['count'])) {
|
||||||
|
$count = (int) $userGroupSearchResponse[$groupsAttr]['count'];
|
||||||
}
|
}
|
||||||
|
|
||||||
for ($i=0; $i<$count; $i++) {
|
for ($i=0; $i<$count; $i++) {
|
||||||
$dnComponents = ldap_explode_dn($ldapSearchReturn[$groupsAttr][$i], 1);
|
$dnComponents = $this->ldap->explodeDn($userGroupSearchResponse[$groupsAttr][$i], 1);
|
||||||
if (!in_array($dnComponents[0], $ldapGroups)) {
|
if (!in_array($dnComponents[0], $ldapGroups)) {
|
||||||
$ldapGroups[] = $dnComponents[0];
|
$ldapGroups[] = $dnComponents[0];
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
return $ldapGroups;
|
return $ldapGroups;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -79,6 +79,7 @@ class HomeController extends Controller
|
|||||||
{
|
{
|
||||||
$locale = app()->getLocale();
|
$locale = app()->getLocale();
|
||||||
$cacheKey = 'GLOBAL_TRANSLATIONS_' . $locale;
|
$cacheKey = 'GLOBAL_TRANSLATIONS_' . $locale;
|
||||||
|
|
||||||
if (cache()->has($cacheKey) && config('app.env') !== 'development') {
|
if (cache()->has($cacheKey) && config('app.env') !== 'development') {
|
||||||
$resp = cache($cacheKey);
|
$resp = cache($cacheKey);
|
||||||
} else {
|
} else {
|
||||||
@ -89,15 +90,6 @@ class HomeController extends Controller
|
|||||||
'entities' => trans('entities'),
|
'entities' => trans('entities'),
|
||||||
'errors' => trans('errors')
|
'errors' => trans('errors')
|
||||||
];
|
];
|
||||||
if ($locale !== 'en') {
|
|
||||||
$enTrans = [
|
|
||||||
'common' => trans('common', [], 'en'),
|
|
||||||
'components' => trans('components', [], 'en'),
|
|
||||||
'entities' => trans('entities', [], 'en'),
|
|
||||||
'errors' => trans('errors', [], 'en')
|
|
||||||
];
|
|
||||||
$translations = array_replace_recursive($enTrans, $translations);
|
|
||||||
}
|
|
||||||
$resp = 'window.translations = ' . json_encode($translations);
|
$resp = 'window.translations = ' . json_encode($translations);
|
||||||
cache()->put($cacheKey, $resp, 120);
|
cache()->put($cacheKey, $resp, 120);
|
||||||
}
|
}
|
||||||
|
@ -1,17 +1,7 @@
|
|||||||
<?php
|
<?php namespace BookStack\Notifications;
|
||||||
|
|
||||||
namespace BookStack\Notifications;
|
class ConfirmEmail extends MailNotification
|
||||||
|
|
||||||
use Illuminate\Bus\Queueable;
|
|
||||||
use Illuminate\Contracts\Queue\ShouldQueue;
|
|
||||||
use Illuminate\Notifications\Messages\MailMessage;
|
|
||||||
use Illuminate\Notifications\Notification;
|
|
||||||
|
|
||||||
class ConfirmEmail extends Notification implements ShouldQueue
|
|
||||||
{
|
{
|
||||||
|
|
||||||
use Queueable;
|
|
||||||
|
|
||||||
public $token;
|
public $token;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -23,17 +13,6 @@ class ConfirmEmail extends Notification implements ShouldQueue
|
|||||||
$this->token = $token;
|
$this->token = $token;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* Get the notification's delivery channels.
|
|
||||||
*
|
|
||||||
* @param mixed $notifiable
|
|
||||||
* @return array
|
|
||||||
*/
|
|
||||||
public function via($notifiable)
|
|
||||||
{
|
|
||||||
return ['mail'];
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Get the mail representation of the notification.
|
* Get the mail representation of the notification.
|
||||||
*
|
*
|
||||||
@ -43,10 +22,10 @@ class ConfirmEmail extends Notification implements ShouldQueue
|
|||||||
public function toMail($notifiable)
|
public function toMail($notifiable)
|
||||||
{
|
{
|
||||||
$appName = ['appName' => setting('app-name')];
|
$appName = ['appName' => setting('app-name')];
|
||||||
return (new MailMessage)
|
return $this->newMailMessage()
|
||||||
->subject(trans('auth.email_confirm_subject', $appName))
|
->subject(trans('auth.email_confirm_subject', $appName))
|
||||||
->greeting(trans('auth.email_confirm_greeting', $appName))
|
->greeting(trans('auth.email_confirm_greeting', $appName))
|
||||||
->line(trans('auth.email_confirm_text'))
|
->line(trans('auth.email_confirm_text'))
|
||||||
->action(trans('auth.email_confirm_action'), baseUrl('/register/confirm/' . $this->token));
|
->action(trans('auth.email_confirm_action'), baseUrl('/register/confirm/' . $this->token));
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
35
app/Notifications/MailNotification.php
Normal file
35
app/Notifications/MailNotification.php
Normal file
@ -0,0 +1,35 @@
|
|||||||
|
<?php namespace BookStack\Notifications;
|
||||||
|
|
||||||
|
use Illuminate\Bus\Queueable;
|
||||||
|
use Illuminate\Contracts\Queue\ShouldQueue;
|
||||||
|
use Illuminate\Notifications\Messages\MailMessage;
|
||||||
|
use Illuminate\Notifications\Notification;
|
||||||
|
|
||||||
|
class MailNotification extends Notification implements ShouldQueue
|
||||||
|
{
|
||||||
|
use Queueable;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get the notification's channels.
|
||||||
|
*
|
||||||
|
* @param mixed $notifiable
|
||||||
|
* @return array|string
|
||||||
|
*/
|
||||||
|
public function via($notifiable)
|
||||||
|
{
|
||||||
|
return ['mail'];
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Create a new mail message.
|
||||||
|
* @return MailMessage
|
||||||
|
*/
|
||||||
|
protected function newMailMessage()
|
||||||
|
{
|
||||||
|
return (new MailMessage)->view([
|
||||||
|
'html' => 'vendor.notifications.email',
|
||||||
|
'text' => 'vendor.notifications.email-plain'
|
||||||
|
]);
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
@ -1,11 +1,7 @@
|
|||||||
<?php
|
<?php namespace BookStack\Notifications;
|
||||||
|
|
||||||
namespace BookStack\Notifications;
|
|
||||||
|
|
||||||
use Illuminate\Notifications\Messages\MailMessage;
|
class ResetPassword extends MailNotification
|
||||||
use Illuminate\Notifications\Notification;
|
|
||||||
|
|
||||||
class ResetPassword extends Notification
|
|
||||||
{
|
{
|
||||||
/**
|
/**
|
||||||
* The password reset token.
|
* The password reset token.
|
||||||
@ -24,17 +20,6 @@ class ResetPassword extends Notification
|
|||||||
$this->token = $token;
|
$this->token = $token;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* Get the notification's channels.
|
|
||||||
*
|
|
||||||
* @param mixed $notifiable
|
|
||||||
* @return array|string
|
|
||||||
*/
|
|
||||||
public function via($notifiable)
|
|
||||||
{
|
|
||||||
return ['mail'];
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Build the mail representation of the notification.
|
* Build the mail representation of the notification.
|
||||||
*
|
*
|
||||||
@ -42,7 +27,7 @@ class ResetPassword extends Notification
|
|||||||
*/
|
*/
|
||||||
public function toMail()
|
public function toMail()
|
||||||
{
|
{
|
||||||
return (new MailMessage)
|
return $this->newMailMessage()
|
||||||
->subject(trans('auth.email_reset_subject', ['appName' => setting('app-name')]))
|
->subject(trans('auth.email_reset_subject', ['appName' => setting('app-name')]))
|
||||||
->line(trans('auth.email_reset_text'))
|
->line(trans('auth.email_reset_text'))
|
||||||
->action(trans('auth.reset_password'), baseUrl('password/reset/' . $this->token))
|
->action(trans('auth.reset_password'), baseUrl('password/reset/' . $this->token))
|
||||||
|
32
app/Providers/TranslationServiceProvider.php
Normal file
32
app/Providers/TranslationServiceProvider.php
Normal file
@ -0,0 +1,32 @@
|
|||||||
|
<?php namespace BookStack\Providers;
|
||||||
|
|
||||||
|
|
||||||
|
use BookStack\Translation\Translator;
|
||||||
|
|
||||||
|
class TranslationServiceProvider extends \Illuminate\Translation\TranslationServiceProvider
|
||||||
|
{
|
||||||
|
/**
|
||||||
|
* Register the service provider.
|
||||||
|
*
|
||||||
|
* @return void
|
||||||
|
*/
|
||||||
|
public function register()
|
||||||
|
{
|
||||||
|
$this->registerLoader();
|
||||||
|
|
||||||
|
$this->app->singleton('translator', function ($app) {
|
||||||
|
$loader = $app['translation.loader'];
|
||||||
|
|
||||||
|
// When registering the translator component, we'll need to set the default
|
||||||
|
// locale as well as the fallback locale. So, we'll grab the application
|
||||||
|
// configuration so we can easily get both of these values from there.
|
||||||
|
$locale = $app['config']['app.locale'];
|
||||||
|
|
||||||
|
$trans = new Translator($loader, $locale);
|
||||||
|
|
||||||
|
$trans->setFallback($app['config']['app.fallback_locale']);
|
||||||
|
|
||||||
|
return $trans;
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
74
app/Translation/Translator.php
Normal file
74
app/Translation/Translator.php
Normal file
@ -0,0 +1,74 @@
|
|||||||
|
<?php namespace BookStack\Translation;
|
||||||
|
|
||||||
|
|
||||||
|
class Translator extends \Illuminate\Translation\Translator
|
||||||
|
{
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Mapping of locales to their base locales
|
||||||
|
* @var array
|
||||||
|
*/
|
||||||
|
protected $baseLocaleMap = [
|
||||||
|
'de_informal' => 'de',
|
||||||
|
];
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get the translation for a given key.
|
||||||
|
*
|
||||||
|
* @param string $key
|
||||||
|
* @param array $replace
|
||||||
|
* @param string $locale
|
||||||
|
* @return string|array|null
|
||||||
|
*/
|
||||||
|
public function trans($key, array $replace = [], $locale = null)
|
||||||
|
{
|
||||||
|
$translation = $this->get($key, $replace, $locale);
|
||||||
|
|
||||||
|
if (is_array($translation)) {
|
||||||
|
$translation = $this->mergeBackupTranslations($translation, $key, $locale);
|
||||||
|
}
|
||||||
|
|
||||||
|
return $translation;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Merge the fallback translations, and base translations if existing,
|
||||||
|
* into the provided core key => value array of translations content.
|
||||||
|
* @param array $translationArray
|
||||||
|
* @param string $key
|
||||||
|
* @param null $locale
|
||||||
|
* @return array
|
||||||
|
*/
|
||||||
|
protected function mergeBackupTranslations(array $translationArray, string $key, $locale = null)
|
||||||
|
{
|
||||||
|
$fallback = $this->get($key, [], $this->fallback);
|
||||||
|
$baseLocale = $this->getBaseLocale($locale ?? $this->locale);
|
||||||
|
$baseTranslations = $baseLocale ? $this->get($key, [], $baseLocale) : [];
|
||||||
|
|
||||||
|
return array_replace_recursive($fallback, $baseTranslations, $translationArray);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get the array of locales to be checked.
|
||||||
|
*
|
||||||
|
* @param string|null $locale
|
||||||
|
* @return array
|
||||||
|
*/
|
||||||
|
protected function localeArray($locale)
|
||||||
|
{
|
||||||
|
$primaryLocale = $locale ?: $this->locale;
|
||||||
|
return array_filter([$primaryLocale, $this->getBaseLocale($primaryLocale), $this->fallback]);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get the locale to extend for the given locale.
|
||||||
|
*
|
||||||
|
* @param string $locale
|
||||||
|
* @return string|null
|
||||||
|
*/
|
||||||
|
protected function getBaseLocale($locale)
|
||||||
|
{
|
||||||
|
return $this->baseLocaleMap[$locale] ?? null;
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
@ -6,6 +6,7 @@
|
|||||||
"type": "project",
|
"type": "project",
|
||||||
"require": {
|
"require": {
|
||||||
"php": ">=7.0.0",
|
"php": ">=7.0.0",
|
||||||
|
"ext-json": "*",
|
||||||
"ext-tidy": "*",
|
"ext-tidy": "*",
|
||||||
"ext-dom": "*",
|
"ext-dom": "*",
|
||||||
"laravel/framework": "~5.5.44",
|
"laravel/framework": "~5.5.44",
|
||||||
|
@ -84,7 +84,7 @@ return [
|
|||||||
*/
|
*/
|
||||||
|
|
||||||
'locale' => env('APP_LANG', 'en'),
|
'locale' => env('APP_LANG', 'en'),
|
||||||
'locales' => ['en', 'ar', 'de', 'es', 'es_AR', 'fr', 'nl', 'pt_BR', 'sk', 'sv', 'kr', 'ja', 'pl', 'it', 'ru', 'zh_CN', 'zh_TW'],
|
'locales' => ['en', 'ar', 'de', 'de_informal', 'es', 'es_AR', 'fr', 'nl', 'pt_BR', 'sk', 'sv', 'kr', 'ja', 'pl', 'it', 'ru', 'uk', 'zh_CN', 'zh_TW'],
|
||||||
|
|
||||||
/*
|
/*
|
||||||
|--------------------------------------------------------------------------
|
|--------------------------------------------------------------------------
|
||||||
@ -187,7 +187,6 @@ return [
|
|||||||
Illuminate\Redis\RedisServiceProvider::class,
|
Illuminate\Redis\RedisServiceProvider::class,
|
||||||
Illuminate\Auth\Passwords\PasswordResetServiceProvider::class,
|
Illuminate\Auth\Passwords\PasswordResetServiceProvider::class,
|
||||||
Illuminate\Session\SessionServiceProvider::class,
|
Illuminate\Session\SessionServiceProvider::class,
|
||||||
Illuminate\Translation\TranslationServiceProvider::class,
|
|
||||||
Illuminate\Validation\ValidationServiceProvider::class,
|
Illuminate\Validation\ValidationServiceProvider::class,
|
||||||
Illuminate\View\ViewServiceProvider::class,
|
Illuminate\View\ViewServiceProvider::class,
|
||||||
Illuminate\Notifications\NotificationServiceProvider::class,
|
Illuminate\Notifications\NotificationServiceProvider::class,
|
||||||
@ -205,6 +204,7 @@ return [
|
|||||||
* Application Service Providers...
|
* Application Service Providers...
|
||||||
*/
|
*/
|
||||||
BookStack\Providers\PaginationServiceProvider::class,
|
BookStack\Providers\PaginationServiceProvider::class,
|
||||||
|
BookStack\Providers\TranslationServiceProvider::class,
|
||||||
|
|
||||||
BookStack\Providers\AuthServiceProvider::class,
|
BookStack\Providers\AuthServiceProvider::class,
|
||||||
BookStack\Providers\AppServiceProvider::class,
|
BookStack\Providers\AppServiceProvider::class,
|
||||||
|
@ -110,15 +110,19 @@ return [
|
|||||||
|
|
||||||
/*
|
/*
|
||||||
|--------------------------------------------------------------------------
|
|--------------------------------------------------------------------------
|
||||||
| Mail "Pretend"
|
| Markdown Mail Settings
|
||||||
|--------------------------------------------------------------------------
|
|--------------------------------------------------------------------------
|
||||||
|
|
|
|
||||||
| When this option is enabled, e-mail will not actually be sent over the
|
| If you are using Markdown based email rendering, you may configure your
|
||||||
| web and will instead be written to your application's logs files so
|
| theme and component paths here, allowing you to customize the design
|
||||||
| you may inspect the message. This is great for local development.
|
| of the emails. Or, you may simply stick with the Laravel defaults!
|
||||||
|
|
|
|
||||||
*/
|
*/
|
||||||
|
'markdown' => [
|
||||||
'pretend' => env('MAIL_PRETEND', false),
|
'theme' => 'default',
|
||||||
|
'paths' => [
|
||||||
|
resource_path('views/vendor/mail'),
|
||||||
|
],
|
||||||
|
],
|
||||||
|
|
||||||
];
|
];
|
||||||
|
452
package-lock.json
generated
452
package-lock.json
generated
@ -12,27 +12,42 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"@babel/core": {
|
"@babel/core": {
|
||||||
"version": "7.1.5",
|
"version": "7.1.6",
|
||||||
"resolved": "https://registry.npmjs.org/@babel/core/-/core-7.1.5.tgz",
|
"resolved": "https://registry.npmjs.org/@babel/core/-/core-7.1.6.tgz",
|
||||||
"integrity": "sha512-vOyH020C56tQvte++i+rX2yokZcRfbv/kKcw+/BCRw/cK6dvsr47aCzm8oC1XHwMSEWbqrZKzZRLzLnq6SFMsg==",
|
"integrity": "sha512-Hz6PJT6e44iUNpAn8AoyAs6B3bl60g7MJQaI0rZEar6ECzh6+srYO1xlIdssio34mPaUtAb1y+XlkkSJzok3yw==",
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"requires": {
|
"requires": {
|
||||||
"@babel/code-frame": "^7.0.0",
|
"@babel/code-frame": "^7.0.0",
|
||||||
"@babel/generator": "^7.1.5",
|
"@babel/generator": "^7.1.6",
|
||||||
"@babel/helpers": "^7.1.5",
|
"@babel/helpers": "^7.1.5",
|
||||||
"@babel/parser": "^7.1.5",
|
"@babel/parser": "^7.1.6",
|
||||||
"@babel/template": "^7.1.2",
|
"@babel/template": "^7.1.2",
|
||||||
"@babel/traverse": "^7.1.5",
|
"@babel/traverse": "^7.1.6",
|
||||||
"@babel/types": "^7.1.5",
|
"@babel/types": "^7.1.6",
|
||||||
"convert-source-map": "^1.1.0",
|
"convert-source-map": "^1.1.0",
|
||||||
"debug": "^3.1.0",
|
"debug": "^4.1.0",
|
||||||
"json5": "^0.5.0",
|
"json5": "^2.1.0",
|
||||||
"lodash": "^4.17.10",
|
"lodash": "^4.17.10",
|
||||||
"resolve": "^1.3.2",
|
"resolve": "^1.3.2",
|
||||||
"semver": "^5.4.1",
|
"semver": "^5.4.1",
|
||||||
"source-map": "^0.5.0"
|
"source-map": "^0.5.0"
|
||||||
},
|
},
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
|
"json5": {
|
||||||
|
"version": "2.1.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/json5/-/json5-2.1.0.tgz",
|
||||||
|
"integrity": "sha512-8Mh9h6xViijj36g7Dxi+Y4S6hNGV96vcJZr/SrlHh1LR/pEn/8j/+qIBbs44YKl69Lrfctp4QD+AdWLTMqEZAQ==",
|
||||||
|
"dev": true,
|
||||||
|
"requires": {
|
||||||
|
"minimist": "^1.2.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"minimist": {
|
||||||
|
"version": "1.2.0",
|
||||||
|
"resolved": "http://registry.npmjs.org/minimist/-/minimist-1.2.0.tgz",
|
||||||
|
"integrity": "sha1-o1AIsg9BOD7sH7kU9M1d95omQoQ=",
|
||||||
|
"dev": true
|
||||||
|
},
|
||||||
"source-map": {
|
"source-map": {
|
||||||
"version": "0.5.7",
|
"version": "0.5.7",
|
||||||
"resolved": "https://registry.npmjs.org/source-map/-/source-map-0.5.7.tgz",
|
"resolved": "https://registry.npmjs.org/source-map/-/source-map-0.5.7.tgz",
|
||||||
@ -42,12 +57,12 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"@babel/generator": {
|
"@babel/generator": {
|
||||||
"version": "7.1.5",
|
"version": "7.1.6",
|
||||||
"resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.1.5.tgz",
|
"resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.1.6.tgz",
|
||||||
"integrity": "sha512-IO31r62xfMI+wBJVmgx0JR9ZOHty8HkoYpQAjRWUGG9vykBTlGHdArZ8zoFtpUu2gs17K7qTl/TtPpiSi6t+MA==",
|
"integrity": "sha512-brwPBtVvdYdGxtenbQgfCdDPmtkmUBZPjUoK5SXJEBuHaA5BCubh9ly65fzXz7R6o5rA76Rs22ES8Z+HCc0YIQ==",
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"requires": {
|
"requires": {
|
||||||
"@babel/types": "^7.1.5",
|
"@babel/types": "^7.1.6",
|
||||||
"jsesc": "^2.5.1",
|
"jsesc": "^2.5.1",
|
||||||
"lodash": "^4.17.10",
|
"lodash": "^4.17.10",
|
||||||
"source-map": "^0.5.0",
|
"source-map": "^0.5.0",
|
||||||
@ -277,9 +292,9 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"@babel/parser": {
|
"@babel/parser": {
|
||||||
"version": "7.1.5",
|
"version": "7.1.6",
|
||||||
"resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.1.5.tgz",
|
"resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.1.6.tgz",
|
||||||
"integrity": "sha512-WXKf5K5HT6X0kKiCOezJZFljsfxKV1FpU8Tf1A7ZpGvyd/Q4hlrJm2EwoH2onaUq3O4tLDp+4gk0hHPsMyxmOg==",
|
"integrity": "sha512-dWP6LJm9nKT6ALaa+bnL247GHHMWir3vSlZ2+IHgHgktZQx0L3Uvq2uAWcuzIe+fujRsYWBW2q622C5UvGK9iQ==",
|
||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
"@babel/plugin-proposal-async-generator-functions": {
|
"@babel/plugin-proposal-async-generator-functions": {
|
||||||
@ -650,9 +665,9 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"@babel/preset-env": {
|
"@babel/preset-env": {
|
||||||
"version": "7.1.5",
|
"version": "7.1.6",
|
||||||
"resolved": "https://registry.npmjs.org/@babel/preset-env/-/preset-env-7.1.5.tgz",
|
"resolved": "https://registry.npmjs.org/@babel/preset-env/-/preset-env-7.1.6.tgz",
|
||||||
"integrity": "sha512-pQ+2o0YyCp98XG0ODOHJd9z4GsSoV5jicSedRwCrU8uiqcJahwQiOq0asSZEb/m/lwyu6X5INvH/DSiwnQKncw==",
|
"integrity": "sha512-YIBfpJNQMBkb6MCkjz/A9J76SNCSuGVamOVBgoUkLzpJD/z8ghHi9I42LQ4pulVX68N/MmImz6ZTixt7Azgexw==",
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"requires": {
|
"requires": {
|
||||||
"@babel/helper-module-imports": "^7.0.0",
|
"@babel/helper-module-imports": "^7.0.0",
|
||||||
@ -710,26 +725,26 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"@babel/traverse": {
|
"@babel/traverse": {
|
||||||
"version": "7.1.5",
|
"version": "7.1.6",
|
||||||
"resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.1.5.tgz",
|
"resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.1.6.tgz",
|
||||||
"integrity": "sha512-eU6XokWypl0MVJo+MTSPUtlfPePkrqsF26O+l1qFGlCKWwmiYAYy2Sy44Qw8m2u/LbPCsxYt90rghmqhYMGpPA==",
|
"integrity": "sha512-CXedit6GpISz3sC2k2FsGCUpOhUqKdyL0lqNrImQojagnUMXf8hex4AxYFRuMkNGcvJX5QAFGzB5WJQmSv8SiQ==",
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"requires": {
|
"requires": {
|
||||||
"@babel/code-frame": "^7.0.0",
|
"@babel/code-frame": "^7.0.0",
|
||||||
"@babel/generator": "^7.1.5",
|
"@babel/generator": "^7.1.6",
|
||||||
"@babel/helper-function-name": "^7.1.0",
|
"@babel/helper-function-name": "^7.1.0",
|
||||||
"@babel/helper-split-export-declaration": "^7.0.0",
|
"@babel/helper-split-export-declaration": "^7.0.0",
|
||||||
"@babel/parser": "^7.1.5",
|
"@babel/parser": "^7.1.6",
|
||||||
"@babel/types": "^7.1.5",
|
"@babel/types": "^7.1.6",
|
||||||
"debug": "^3.1.0",
|
"debug": "^4.1.0",
|
||||||
"globals": "^11.1.0",
|
"globals": "^11.1.0",
|
||||||
"lodash": "^4.17.10"
|
"lodash": "^4.17.10"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"@babel/types": {
|
"@babel/types": {
|
||||||
"version": "7.1.5",
|
"version": "7.1.6",
|
||||||
"resolved": "https://registry.npmjs.org/@babel/types/-/types-7.1.5.tgz",
|
"resolved": "https://registry.npmjs.org/@babel/types/-/types-7.1.6.tgz",
|
||||||
"integrity": "sha512-sJeqa/d9eM/bax8Ivg+fXF7FpN3E/ZmTrWbkk6r+g7biVYfALMnLin4dKijsaqEhpd2xvOGfQTkQkD31YCVV4A==",
|
"integrity": "sha512-DMiUzlY9DSjVsOylJssxLHSgj6tWM9PRFJOGW/RaOglVOK9nzTxoOMfTfRQXGUCUQ/HmlG2efwC+XqUEJ5ay4w==",
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"requires": {
|
"requires": {
|
||||||
"esutils": "^2.0.2",
|
"esutils": "^2.0.2",
|
||||||
@ -954,6 +969,12 @@
|
|||||||
"json-schema-traverse": "^0.3.0"
|
"json-schema-traverse": "^0.3.0"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"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=",
|
||||||
|
"dev": true
|
||||||
|
},
|
||||||
"ajv-keywords": {
|
"ajv-keywords": {
|
||||||
"version": "3.1.0",
|
"version": "3.1.0",
|
||||||
"resolved": "https://registry.npmjs.org/ajv-keywords/-/ajv-keywords-3.1.0.tgz",
|
"resolved": "https://registry.npmjs.org/ajv-keywords/-/ajv-keywords-3.1.0.tgz",
|
||||||
@ -1779,9 +1800,9 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"clipboard": {
|
"clipboard": {
|
||||||
"version": "2.0.1",
|
"version": "2.0.4",
|
||||||
"resolved": "https://registry.npmjs.org/clipboard/-/clipboard-2.0.1.tgz",
|
"resolved": "https://registry.npmjs.org/clipboard/-/clipboard-2.0.4.tgz",
|
||||||
"integrity": "sha512-7yhQBmtN+uYZmfRjjVjKa0dZdWuabzpSKGtyQZN+9C8xlC788SSJjOHWh7tzurfwTqTD5UDYAhIv5fRJg3sHjQ==",
|
"integrity": "sha512-Vw26VSLRpJfBofiVaFb/I8PVfdI1OxKcYShe6fm0sP/DtmiWQNCjhM/okTvdCo0G+lMMm1rMYbk4IK4x1X+kgQ==",
|
||||||
"requires": {
|
"requires": {
|
||||||
"good-listener": "^1.2.2",
|
"good-listener": "^1.2.2",
|
||||||
"select": "^1.1.2",
|
"select": "^1.1.2",
|
||||||
@ -1856,9 +1877,9 @@
|
|||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
"codemirror": {
|
"codemirror": {
|
||||||
"version": "5.41.0",
|
"version": "5.42.0",
|
||||||
"resolved": "https://registry.npmjs.org/codemirror/-/codemirror-5.41.0.tgz",
|
"resolved": "https://registry.npmjs.org/codemirror/-/codemirror-5.42.0.tgz",
|
||||||
"integrity": "sha512-mkCwbneCx2WHg1MNCYrI+8Zuq0KMMaZ5yTFpQlAZazy3yxME8bHcuSc9WUFzgPZ114WqWu1FIHlx8CavLzBDIg=="
|
"integrity": "sha512-pbApC8zDzItP3HRphD6kQVwS976qB5Qi0hU3MZMixLk+AyugOW1RF+8XJEjeyl5yWsHNe88tDUxzeRh5AOxPRw=="
|
||||||
},
|
},
|
||||||
"collection-visit": {
|
"collection-visit": {
|
||||||
"version": "1.0.0",
|
"version": "1.0.0",
|
||||||
@ -2451,9 +2472,9 @@
|
|||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
"debug": {
|
"debug": {
|
||||||
"version": "3.2.6",
|
"version": "4.1.0",
|
||||||
"resolved": "https://registry.npmjs.org/debug/-/debug-3.2.6.tgz",
|
"resolved": "https://registry.npmjs.org/debug/-/debug-4.1.0.tgz",
|
||||||
"integrity": "sha512-mel+jf7nrtEl5Pn1Qx46zARXKDpBbvzezse7p7LqINmdoIk8PYP5SySaxEmYv6TZ0JyEKA1hsCId6DIhgITtWQ==",
|
"integrity": "sha512-heNPJUJIqC+xB6ayLAMHaIrmN9HKa7aQO8MGqKpvCA+uJYVcvR6l5kgdrhRuwPFHU7P5/A1w0BjByPHwpfTDKg==",
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"requires": {
|
"requires": {
|
||||||
"ms": "^2.1.1"
|
"ms": "^2.1.1"
|
||||||
@ -2596,12 +2617,6 @@
|
|||||||
"resolved": "https://registry.npmjs.org/dropzone/-/dropzone-5.5.1.tgz",
|
"resolved": "https://registry.npmjs.org/dropzone/-/dropzone-5.5.1.tgz",
|
||||||
"integrity": "sha512-3VduRWLxx9hbVr42QieQN25mx/I61/mRdUSuxAmDGdDqZIN8qtP7tcKMa3KfpJjuGjOJGYYUzzeq6eGDnkzesA=="
|
"integrity": "sha512-3VduRWLxx9hbVr42QieQN25mx/I61/mRdUSuxAmDGdDqZIN8qtP7tcKMa3KfpJjuGjOJGYYUzzeq6eGDnkzesA=="
|
||||||
},
|
},
|
||||||
"duplexer": {
|
|
||||||
"version": "0.1.1",
|
|
||||||
"resolved": "https://registry.npmjs.org/duplexer/-/duplexer-0.1.1.tgz",
|
|
||||||
"integrity": "sha1-rOb/gIwc5mtX0ev5eXessCM0z8E=",
|
|
||||||
"dev": true
|
|
||||||
},
|
|
||||||
"duplexify": {
|
"duplexify": {
|
||||||
"version": "3.6.1",
|
"version": "3.6.1",
|
||||||
"resolved": "https://registry.npmjs.org/duplexify/-/duplexify-3.6.1.tgz",
|
"resolved": "https://registry.npmjs.org/duplexify/-/duplexify-3.6.1.tgz",
|
||||||
@ -2761,22 +2776,6 @@
|
|||||||
"integrity": "sha1-Cr9PHKpbyx96nYrMbepPqqBLrJs=",
|
"integrity": "sha1-Cr9PHKpbyx96nYrMbepPqqBLrJs=",
|
||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
"event-stream": {
|
|
||||||
"version": "3.3.6",
|
|
||||||
"resolved": "https://registry.npmjs.org/event-stream/-/event-stream-3.3.6.tgz",
|
|
||||||
"integrity": "sha512-dGXNg4F/FgVzlApjzItL+7naHutA3fDqbV/zAZqDDlXTjiMnQmZKu+prImWKszeBM5UQeGvAl3u1wBiKeDh61g==",
|
|
||||||
"dev": true,
|
|
||||||
"requires": {
|
|
||||||
"duplexer": "^0.1.1",
|
|
||||||
"flatmap-stream": "^0.1.0",
|
|
||||||
"from": "^0.1.7",
|
|
||||||
"map-stream": "0.0.7",
|
|
||||||
"pause-stream": "^0.0.11",
|
|
||||||
"split": "^1.0.1",
|
|
||||||
"stream-combiner": "^0.2.2",
|
|
||||||
"through": "^2.3.8"
|
|
||||||
}
|
|
||||||
},
|
|
||||||
"events": {
|
"events": {
|
||||||
"version": "1.1.1",
|
"version": "1.1.1",
|
||||||
"resolved": "http://registry.npmjs.org/events/-/events-1.1.1.tgz",
|
"resolved": "http://registry.npmjs.org/events/-/events-1.1.1.tgz",
|
||||||
@ -2924,6 +2923,12 @@
|
|||||||
"integrity": "sha512-483XLLxTVIwWK3QTrMGRqUfUpoOs/0hbQrl2oz4J0pAcm3A3bu84wxTFqGqkJzewCLdME38xJLJAxBABfQT8sQ==",
|
"integrity": "sha512-483XLLxTVIwWK3QTrMGRqUfUpoOs/0hbQrl2oz4J0pAcm3A3bu84wxTFqGqkJzewCLdME38xJLJAxBABfQT8sQ==",
|
||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
|
"figgy-pudding": {
|
||||||
|
"version": "3.5.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/figgy-pudding/-/figgy-pudding-3.5.1.tgz",
|
||||||
|
"integrity": "sha512-vNKxJHTEKNThjfrdJwHc7brvM6eVevuO5nTj6ez8ZQ1qbXTvGthucRF7S4vf2cr71QVnT70V34v0S1DyQsti0w==",
|
||||||
|
"dev": true
|
||||||
|
},
|
||||||
"filename-regex": {
|
"filename-regex": {
|
||||||
"version": "2.0.1",
|
"version": "2.0.1",
|
||||||
"resolved": "https://registry.npmjs.org/filename-regex/-/filename-regex-2.0.1.tgz",
|
"resolved": "https://registry.npmjs.org/filename-regex/-/filename-regex-2.0.1.tgz",
|
||||||
@ -2990,12 +2995,6 @@
|
|||||||
"locate-path": "^2.0.0"
|
"locate-path": "^2.0.0"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"flatmap-stream": {
|
|
||||||
"version": "0.1.1",
|
|
||||||
"resolved": "https://registry.npmjs.org/flatmap-stream/-/flatmap-stream-0.1.1.tgz",
|
|
||||||
"integrity": "sha512-lAq4tLbm3sidmdCN8G3ExaxH7cUCtP5mgDvrYowsx84dcYkJJ4I28N7gkxA6+YlSXzaGLJYIDEi9WGfXzMiXdw==",
|
|
||||||
"dev": true
|
|
||||||
},
|
|
||||||
"flatten": {
|
"flatten": {
|
||||||
"version": "1.0.2",
|
"version": "1.0.2",
|
||||||
"resolved": "https://registry.npmjs.org/flatten/-/flatten-1.0.2.tgz",
|
"resolved": "https://registry.npmjs.org/flatten/-/flatten-1.0.2.tgz",
|
||||||
@ -3053,12 +3052,6 @@
|
|||||||
"map-cache": "^0.2.2"
|
"map-cache": "^0.2.2"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"from": {
|
|
||||||
"version": "0.1.7",
|
|
||||||
"resolved": "https://registry.npmjs.org/from/-/from-0.1.7.tgz",
|
|
||||||
"integrity": "sha1-g8YK/Fi5xWmXAH7Rp2izqzA6RP4=",
|
|
||||||
"dev": true
|
|
||||||
},
|
|
||||||
"from2": {
|
"from2": {
|
||||||
"version": "2.3.0",
|
"version": "2.3.0",
|
||||||
"resolved": "https://registry.npmjs.org/from2/-/from2-2.3.0.tgz",
|
"resolved": "https://registry.npmjs.org/from2/-/from2-2.3.0.tgz",
|
||||||
@ -3128,12 +3121,14 @@
|
|||||||
"balanced-match": {
|
"balanced-match": {
|
||||||
"version": "1.0.0",
|
"version": "1.0.0",
|
||||||
"bundled": true,
|
"bundled": true,
|
||||||
"dev": true
|
"dev": true,
|
||||||
|
"optional": true
|
||||||
},
|
},
|
||||||
"brace-expansion": {
|
"brace-expansion": {
|
||||||
"version": "1.1.11",
|
"version": "1.1.11",
|
||||||
"bundled": true,
|
"bundled": true,
|
||||||
"dev": true,
|
"dev": true,
|
||||||
|
"optional": true,
|
||||||
"requires": {
|
"requires": {
|
||||||
"balanced-match": "^1.0.0",
|
"balanced-match": "^1.0.0",
|
||||||
"concat-map": "0.0.1"
|
"concat-map": "0.0.1"
|
||||||
@ -3153,7 +3148,8 @@
|
|||||||
"concat-map": {
|
"concat-map": {
|
||||||
"version": "0.0.1",
|
"version": "0.0.1",
|
||||||
"bundled": true,
|
"bundled": true,
|
||||||
"dev": true
|
"dev": true,
|
||||||
|
"optional": true
|
||||||
},
|
},
|
||||||
"console-control-strings": {
|
"console-control-strings": {
|
||||||
"version": "1.1.0",
|
"version": "1.1.0",
|
||||||
@ -3301,6 +3297,7 @@
|
|||||||
"version": "3.0.4",
|
"version": "3.0.4",
|
||||||
"bundled": true,
|
"bundled": true,
|
||||||
"dev": true,
|
"dev": true,
|
||||||
|
"optional": true,
|
||||||
"requires": {
|
"requires": {
|
||||||
"brace-expansion": "^1.1.7"
|
"brace-expansion": "^1.1.7"
|
||||||
}
|
}
|
||||||
@ -3680,7 +3677,7 @@
|
|||||||
},
|
},
|
||||||
"get-stream": {
|
"get-stream": {
|
||||||
"version": "3.0.0",
|
"version": "3.0.0",
|
||||||
"resolved": "http://registry.npmjs.org/get-stream/-/get-stream-3.0.0.tgz",
|
"resolved": "https://registry.npmjs.org/get-stream/-/get-stream-3.0.0.tgz",
|
||||||
"integrity": "sha1-jpQ9E1jcN1VQVOy+LtsFqhdO3hQ=",
|
"integrity": "sha1-jpQ9E1jcN1VQVOy+LtsFqhdO3hQ=",
|
||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
@ -3739,9 +3736,9 @@
|
|||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
"globals": {
|
"globals": {
|
||||||
"version": "11.8.0",
|
"version": "11.9.0",
|
||||||
"resolved": "https://registry.npmjs.org/globals/-/globals-11.8.0.tgz",
|
"resolved": "https://registry.npmjs.org/globals/-/globals-11.9.0.tgz",
|
||||||
"integrity": "sha512-io6LkyPVuzCHBSQV9fmOwxZkUk6nIaGmxheLDgmuFv89j0fm2aqDbIXKAGfzCMHqz3HLF2Zf8WSG6VqMh2qFmA==",
|
"integrity": "sha512-5cJVtyXWH8PiJPVLZzzoIizXx944O4OmRro5MWKx5fT4MgcN7OfaMutPeaTdJCCURwbWdhhcCWcKIffPnmTzBg==",
|
||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
"globule": {
|
"globule": {
|
||||||
@ -4692,12 +4689,6 @@
|
|||||||
"integrity": "sha1-2TPOuSBdgr3PSIb2dCvcK03qFG0=",
|
"integrity": "sha1-2TPOuSBdgr3PSIb2dCvcK03qFG0=",
|
||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
"map-stream": {
|
|
||||||
"version": "0.0.7",
|
|
||||||
"resolved": "https://registry.npmjs.org/map-stream/-/map-stream-0.0.7.tgz",
|
|
||||||
"integrity": "sha1-ih8HiW2CsQkmvTdEokIACfiJdKg=",
|
|
||||||
"dev": true
|
|
||||||
},
|
|
||||||
"map-visit": {
|
"map-visit": {
|
||||||
"version": "1.0.0",
|
"version": "1.0.0",
|
||||||
"resolved": "https://registry.npmjs.org/map-visit/-/map-visit-1.0.0.tgz",
|
"resolved": "https://registry.npmjs.org/map-visit/-/map-visit-1.0.0.tgz",
|
||||||
@ -5094,9 +5085,9 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"node-releases": {
|
"node-releases": {
|
||||||
"version": "1.0.3",
|
"version": "1.0.4",
|
||||||
"resolved": "https://registry.npmjs.org/node-releases/-/node-releases-1.0.3.tgz",
|
"resolved": "https://registry.npmjs.org/node-releases/-/node-releases-1.0.4.tgz",
|
||||||
"integrity": "sha512-ZaZWMsbuDcetpHmYeKWPO6e63pSXLb50M7lJgCbcM2nC/nQC3daNifmtp5a2kp7EWwYfhuvH6zLPWkrF8IiDdw==",
|
"integrity": "sha512-GqRV9GcHw8JCRDaP/JoeNMNzEGzHAknMvIHqMb2VeTOmg1Cf9+ej8bkV12tHfzWHQMCkQ5zUFgwFUkfraynNCw==",
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"requires": {
|
"requires": {
|
||||||
"semver": "^5.3.0"
|
"semver": "^5.3.0"
|
||||||
@ -5205,17 +5196,17 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"npm-run-all": {
|
"npm-run-all": {
|
||||||
"version": "4.1.3",
|
"version": "4.1.5",
|
||||||
"resolved": "https://registry.npmjs.org/npm-run-all/-/npm-run-all-4.1.3.tgz",
|
"resolved": "https://registry.npmjs.org/npm-run-all/-/npm-run-all-4.1.5.tgz",
|
||||||
"integrity": "sha512-aOG0N3Eo/WW+q6sUIdzcV2COS8VnTZCmdji0VQIAZF3b+a3YWb0AD0vFIyjKec18A7beLGbaQ5jFTNI2bPt9Cg==",
|
"integrity": "sha512-Oo82gJDAVcaMdi3nuoKFavkIHBRVqQ1qvMb+9LHk/cF4P6B2m8aP04hGf7oL6wZ9BuGwX1onlLhpuoofSyoQDQ==",
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"requires": {
|
"requires": {
|
||||||
"ansi-styles": "^3.2.0",
|
"ansi-styles": "^3.2.1",
|
||||||
"chalk": "^2.1.0",
|
"chalk": "^2.4.1",
|
||||||
"cross-spawn": "^6.0.4",
|
"cross-spawn": "^6.0.5",
|
||||||
"memorystream": "^0.3.1",
|
"memorystream": "^0.3.1",
|
||||||
"minimatch": "^3.0.4",
|
"minimatch": "^3.0.4",
|
||||||
"ps-tree": "^1.1.0",
|
"pidtree": "^0.3.0",
|
||||||
"read-pkg": "^3.0.0",
|
"read-pkg": "^3.0.0",
|
||||||
"shell-quote": "^1.6.1",
|
"shell-quote": "^1.6.1",
|
||||||
"string.prototype.padend": "^3.0.0"
|
"string.prototype.padend": "^3.0.0"
|
||||||
@ -5483,7 +5474,7 @@
|
|||||||
},
|
},
|
||||||
"p-is-promise": {
|
"p-is-promise": {
|
||||||
"version": "1.1.0",
|
"version": "1.1.0",
|
||||||
"resolved": "http://registry.npmjs.org/p-is-promise/-/p-is-promise-1.1.0.tgz",
|
"resolved": "https://registry.npmjs.org/p-is-promise/-/p-is-promise-1.1.0.tgz",
|
||||||
"integrity": "sha1-nJRWmJ6fZYgBewQ01WCXZ1w9oF4=",
|
"integrity": "sha1-nJRWmJ6fZYgBewQ01WCXZ1w9oF4=",
|
||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
@ -5623,15 +5614,6 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"pause-stream": {
|
|
||||||
"version": "0.0.11",
|
|
||||||
"resolved": "https://registry.npmjs.org/pause-stream/-/pause-stream-0.0.11.tgz",
|
|
||||||
"integrity": "sha1-/lo0sMvOErWqaitAPuLnO2AvFEU=",
|
|
||||||
"dev": true,
|
|
||||||
"requires": {
|
|
||||||
"through": "~2.3"
|
|
||||||
}
|
|
||||||
},
|
|
||||||
"pbkdf2": {
|
"pbkdf2": {
|
||||||
"version": "3.0.17",
|
"version": "3.0.17",
|
||||||
"resolved": "https://registry.npmjs.org/pbkdf2/-/pbkdf2-3.0.17.tgz",
|
"resolved": "https://registry.npmjs.org/pbkdf2/-/pbkdf2-3.0.17.tgz",
|
||||||
@ -5651,6 +5633,12 @@
|
|||||||
"integrity": "sha1-Ywn04OX6kT7BxpMHrjZLSzd8nns=",
|
"integrity": "sha1-Ywn04OX6kT7BxpMHrjZLSzd8nns=",
|
||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
|
"pidtree": {
|
||||||
|
"version": "0.3.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/pidtree/-/pidtree-0.3.0.tgz",
|
||||||
|
"integrity": "sha512-9CT4NFlDcosssyg8KVFltgokyKZIFjoBxw8CTGy+5F38Y1eQWrt8tRayiUOXE+zVKQnYu5BR8JjCtvK3BcnBhg==",
|
||||||
|
"dev": true
|
||||||
|
},
|
||||||
"pify": {
|
"pify": {
|
||||||
"version": "3.0.0",
|
"version": "3.0.0",
|
||||||
"resolved": "https://registry.npmjs.org/pify/-/pify-3.0.0.tgz",
|
"resolved": "https://registry.npmjs.org/pify/-/pify-3.0.0.tgz",
|
||||||
@ -7644,15 +7632,6 @@
|
|||||||
"integrity": "sha1-0/wRS6BplaRexok/SEzrHXj19HY=",
|
"integrity": "sha1-0/wRS6BplaRexok/SEzrHXj19HY=",
|
||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
"ps-tree": {
|
|
||||||
"version": "1.1.0",
|
|
||||||
"resolved": "https://registry.npmjs.org/ps-tree/-/ps-tree-1.1.0.tgz",
|
|
||||||
"integrity": "sha1-tCGyQUDWID8e08dplrRCewjowBQ=",
|
|
||||||
"dev": true,
|
|
||||||
"requires": {
|
|
||||||
"event-stream": "~3.3.0"
|
|
||||||
}
|
|
||||||
},
|
|
||||||
"pseudomap": {
|
"pseudomap": {
|
||||||
"version": "1.0.2",
|
"version": "1.0.2",
|
||||||
"resolved": "https://registry.npmjs.org/pseudomap/-/pseudomap-1.0.2.tgz",
|
"resolved": "https://registry.npmjs.org/pseudomap/-/pseudomap-1.0.2.tgz",
|
||||||
@ -8492,6 +8471,16 @@
|
|||||||
"urix": "^0.1.0"
|
"urix": "^0.1.0"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"source-map-support": {
|
||||||
|
"version": "0.5.9",
|
||||||
|
"resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.9.tgz",
|
||||||
|
"integrity": "sha512-gR6Rw4MvUlYy83vP0vxoVNzM6t8MUXqNuRsuBmBHQDu1Fh6X015FrLdgoDKcNdkwGubozq0P4N0Q37UyFVr1EA==",
|
||||||
|
"dev": true,
|
||||||
|
"requires": {
|
||||||
|
"buffer-from": "^1.0.0",
|
||||||
|
"source-map": "^0.6.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
"source-map-url": {
|
"source-map-url": {
|
||||||
"version": "0.4.0",
|
"version": "0.4.0",
|
||||||
"resolved": "https://registry.npmjs.org/source-map-url/-/source-map-url-0.4.0.tgz",
|
"resolved": "https://registry.npmjs.org/source-map-url/-/source-map-url-0.4.0.tgz",
|
||||||
@ -8530,15 +8519,6 @@
|
|||||||
"integrity": "sha512-qky9CVt0lVIECkEsYbNILVnPvycuEBkXoMFLRWsREkomQLevYhtRKC+R91a5TOAQ3bCMjikRwhyaRqj1VYatYg==",
|
"integrity": "sha512-qky9CVt0lVIECkEsYbNILVnPvycuEBkXoMFLRWsREkomQLevYhtRKC+R91a5TOAQ3bCMjikRwhyaRqj1VYatYg==",
|
||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
"split": {
|
|
||||||
"version": "1.0.1",
|
|
||||||
"resolved": "https://registry.npmjs.org/split/-/split-1.0.1.tgz",
|
|
||||||
"integrity": "sha512-mTyOoPbrivtXnwnIxZRFYRrPNtEFKlpB2fvjSnCQUiAA6qAZzqwna5envK4uk6OIeP17CsdF3rSBGYVBsU0Tkg==",
|
|
||||||
"dev": true,
|
|
||||||
"requires": {
|
|
||||||
"through": "2"
|
|
||||||
}
|
|
||||||
},
|
|
||||||
"split-string": {
|
"split-string": {
|
||||||
"version": "3.1.0",
|
"version": "3.1.0",
|
||||||
"resolved": "https://registry.npmjs.org/split-string/-/split-string-3.1.0.tgz",
|
"resolved": "https://registry.npmjs.org/split-string/-/split-string-3.1.0.tgz",
|
||||||
@ -8611,7 +8591,7 @@
|
|||||||
},
|
},
|
||||||
"stream-browserify": {
|
"stream-browserify": {
|
||||||
"version": "2.0.1",
|
"version": "2.0.1",
|
||||||
"resolved": "https://registry.npmjs.org/stream-browserify/-/stream-browserify-2.0.1.tgz",
|
"resolved": "http://registry.npmjs.org/stream-browserify/-/stream-browserify-2.0.1.tgz",
|
||||||
"integrity": "sha1-ZiZu5fm9uZQKTkUUyvtDu3Hlyds=",
|
"integrity": "sha1-ZiZu5fm9uZQKTkUUyvtDu3Hlyds=",
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"requires": {
|
"requires": {
|
||||||
@ -8619,16 +8599,6 @@
|
|||||||
"readable-stream": "^2.0.2"
|
"readable-stream": "^2.0.2"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"stream-combiner": {
|
|
||||||
"version": "0.2.2",
|
|
||||||
"resolved": "http://registry.npmjs.org/stream-combiner/-/stream-combiner-0.2.2.tgz",
|
|
||||||
"integrity": "sha1-rsjLrBd7Vrb0+kec7YwZEs7lKFg=",
|
|
||||||
"dev": true,
|
|
||||||
"requires": {
|
|
||||||
"duplexer": "~0.1.1",
|
|
||||||
"through": "~2.3.4"
|
|
||||||
}
|
|
||||||
},
|
|
||||||
"stream-each": {
|
"stream-each": {
|
||||||
"version": "1.2.3",
|
"version": "1.2.3",
|
||||||
"resolved": "https://registry.npmjs.org/stream-each/-/stream-each-1.2.3.tgz",
|
"resolved": "https://registry.npmjs.org/stream-each/-/stream-each-1.2.3.tgz",
|
||||||
@ -8675,7 +8645,7 @@
|
|||||||
},
|
},
|
||||||
"string_decoder": {
|
"string_decoder": {
|
||||||
"version": "1.1.1",
|
"version": "1.1.1",
|
||||||
"resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.1.1.tgz",
|
"resolved": "http://registry.npmjs.org/string_decoder/-/string_decoder-1.1.1.tgz",
|
||||||
"integrity": "sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg==",
|
"integrity": "sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg==",
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"requires": {
|
"requires": {
|
||||||
@ -8747,7 +8717,7 @@
|
|||||||
},
|
},
|
||||||
"strip-eof": {
|
"strip-eof": {
|
||||||
"version": "1.0.0",
|
"version": "1.0.0",
|
||||||
"resolved": "http://registry.npmjs.org/strip-eof/-/strip-eof-1.0.0.tgz",
|
"resolved": "https://registry.npmjs.org/strip-eof/-/strip-eof-1.0.0.tgz",
|
||||||
"integrity": "sha1-u0P/VZim6wXYm1n80SnJgzE2Br8=",
|
"integrity": "sha1-u0P/VZim6wXYm1n80SnJgzE2Br8=",
|
||||||
"dev": true
|
"dev": true
|
||||||
},
|
},
|
||||||
@ -8811,11 +8781,205 @@
|
|||||||
"inherits": "2"
|
"inherits": "2"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
"through": {
|
"terser": {
|
||||||
"version": "2.3.8",
|
"version": "3.10.12",
|
||||||
"resolved": "https://registry.npmjs.org/through/-/through-2.3.8.tgz",
|
"resolved": "https://registry.npmjs.org/terser/-/terser-3.10.12.tgz",
|
||||||
"integrity": "sha1-DdTJ/6q8NXlgsbckEV1+Doai4fU=",
|
"integrity": "sha512-3ODPC1eVt25EVNb04s/PkHxOmzKBQUF6bwwuR6h2DbEF8/j265Y1UkwNtOk9am/pRxfJ5HPapOlUlO6c16mKQQ==",
|
||||||
"dev": true
|
"dev": true,
|
||||||
|
"requires": {
|
||||||
|
"commander": "~2.17.1",
|
||||||
|
"source-map": "~0.6.1",
|
||||||
|
"source-map-support": "~0.5.6"
|
||||||
|
},
|
||||||
|
"dependencies": {
|
||||||
|
"commander": {
|
||||||
|
"version": "2.17.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/commander/-/commander-2.17.1.tgz",
|
||||||
|
"integrity": "sha512-wPMUt6FnH2yzG95SA6mzjQOEKUU3aLaDEmzs1ti+1E9h+CsrZghRlqEM/EJ4KscsQVG8uNN4uVreUeT8+drlgg==",
|
||||||
|
"dev": true
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"terser-webpack-plugin": {
|
||||||
|
"version": "1.1.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/terser-webpack-plugin/-/terser-webpack-plugin-1.1.0.tgz",
|
||||||
|
"integrity": "sha512-61lV0DSxMAZ8AyZG7/A4a3UPlrbOBo8NIQ4tJzLPAdGOQ+yoNC7l5ijEow27lBAL2humer01KLS6bGIMYQxKoA==",
|
||||||
|
"dev": true,
|
||||||
|
"requires": {
|
||||||
|
"cacache": "^11.0.2",
|
||||||
|
"find-cache-dir": "^2.0.0",
|
||||||
|
"schema-utils": "^1.0.0",
|
||||||
|
"serialize-javascript": "^1.4.0",
|
||||||
|
"source-map": "^0.6.1",
|
||||||
|
"terser": "^3.8.1",
|
||||||
|
"webpack-sources": "^1.1.0",
|
||||||
|
"worker-farm": "^1.5.2"
|
||||||
|
},
|
||||||
|
"dependencies": {
|
||||||
|
"ajv": {
|
||||||
|
"version": "6.5.5",
|
||||||
|
"resolved": "https://registry.npmjs.org/ajv/-/ajv-6.5.5.tgz",
|
||||||
|
"integrity": "sha512-7q7gtRQDJSyuEHjuVgHoUa2VuemFiCMrfQc9Tc08XTAc4Zj/5U1buQJ0HU6i7fKjXU09SVgSmxa4sLvuvS8Iyg==",
|
||||||
|
"dev": true,
|
||||||
|
"requires": {
|
||||||
|
"fast-deep-equal": "^2.0.1",
|
||||||
|
"fast-json-stable-stringify": "^2.0.0",
|
||||||
|
"json-schema-traverse": "^0.4.1",
|
||||||
|
"uri-js": "^4.2.2"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"cacache": {
|
||||||
|
"version": "11.3.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/cacache/-/cacache-11.3.1.tgz",
|
||||||
|
"integrity": "sha512-2PEw4cRRDu+iQvBTTuttQifacYjLPhET+SYO/gEFMy8uhi+jlJREDAjSF5FWSdV/Aw5h18caHA7vMTw2c+wDzA==",
|
||||||
|
"dev": true,
|
||||||
|
"requires": {
|
||||||
|
"bluebird": "^3.5.1",
|
||||||
|
"chownr": "^1.0.1",
|
||||||
|
"figgy-pudding": "^3.1.0",
|
||||||
|
"glob": "^7.1.2",
|
||||||
|
"graceful-fs": "^4.1.11",
|
||||||
|
"lru-cache": "^4.1.3",
|
||||||
|
"mississippi": "^3.0.0",
|
||||||
|
"mkdirp": "^0.5.1",
|
||||||
|
"move-concurrently": "^1.0.1",
|
||||||
|
"promise-inflight": "^1.0.1",
|
||||||
|
"rimraf": "^2.6.2",
|
||||||
|
"ssri": "^6.0.0",
|
||||||
|
"unique-filename": "^1.1.0",
|
||||||
|
"y18n": "^4.0.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"fast-deep-equal": {
|
||||||
|
"version": "2.0.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-2.0.1.tgz",
|
||||||
|
"integrity": "sha1-ewUhjd+WZ79/Nwv3/bLLFf3Qqkk=",
|
||||||
|
"dev": true
|
||||||
|
},
|
||||||
|
"find-cache-dir": {
|
||||||
|
"version": "2.0.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/find-cache-dir/-/find-cache-dir-2.0.0.tgz",
|
||||||
|
"integrity": "sha512-LDUY6V1Xs5eFskUVYtIwatojt6+9xC9Chnlk/jYOOvn3FAFfSaWddxahDGyNHh0b2dMXa6YW2m0tk8TdVaXHlA==",
|
||||||
|
"dev": true,
|
||||||
|
"requires": {
|
||||||
|
"commondir": "^1.0.1",
|
||||||
|
"make-dir": "^1.0.0",
|
||||||
|
"pkg-dir": "^3.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"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"json-schema-traverse": {
|
||||||
|
"version": "0.4.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz",
|
||||||
|
"integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==",
|
||||||
|
"dev": true
|
||||||
|
},
|
||||||
|
"locate-path": {
|
||||||
|
"version": "3.0.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/locate-path/-/locate-path-3.0.0.tgz",
|
||||||
|
"integrity": "sha512-7AO748wWnIhNqAuaty2ZWHkQHRSNfPVIsPIfwEOWO22AmaoVrWavlOcMR5nzTLNYvp36X220/maaRsrec1G65A==",
|
||||||
|
"dev": true,
|
||||||
|
"requires": {
|
||||||
|
"p-locate": "^3.0.0",
|
||||||
|
"path-exists": "^3.0.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"mississippi": {
|
||||||
|
"version": "3.0.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/mississippi/-/mississippi-3.0.0.tgz",
|
||||||
|
"integrity": "sha512-x471SsVjUtBRtcvd4BzKE9kFC+/2TeWgKCgw0bZcw1b9l2X3QX5vCWgF+KaZaYm87Ss//rHnWryupDrgLvmSkA==",
|
||||||
|
"dev": true,
|
||||||
|
"requires": {
|
||||||
|
"concat-stream": "^1.5.0",
|
||||||
|
"duplexify": "^3.4.2",
|
||||||
|
"end-of-stream": "^1.1.0",
|
||||||
|
"flush-write-stream": "^1.0.0",
|
||||||
|
"from2": "^2.1.0",
|
||||||
|
"parallel-transform": "^1.1.0",
|
||||||
|
"pump": "^3.0.0",
|
||||||
|
"pumpify": "^1.3.3",
|
||||||
|
"stream-each": "^1.1.0",
|
||||||
|
"through2": "^2.0.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"p-limit": {
|
||||||
|
"version": "2.0.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.0.0.tgz",
|
||||||
|
"integrity": "sha512-fl5s52lI5ahKCernzzIyAP0QAZbGIovtVHGwpcu1Jr/EpzLVDI2myISHwGqK7m8uQFugVWSrbxH7XnhGtvEc+A==",
|
||||||
|
"dev": true,
|
||||||
|
"requires": {
|
||||||
|
"p-try": "^2.0.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"p-locate": {
|
||||||
|
"version": "3.0.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/p-locate/-/p-locate-3.0.0.tgz",
|
||||||
|
"integrity": "sha512-x+12w/To+4GFfgJhBEpiDcLozRJGegY+Ei7/z0tSLkMmxGZNybVMSfWj9aJn8Z5Fc7dBUNJOOVgPv2H7IwulSQ==",
|
||||||
|
"dev": true,
|
||||||
|
"requires": {
|
||||||
|
"p-limit": "^2.0.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"p-try": {
|
||||||
|
"version": "2.0.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/p-try/-/p-try-2.0.0.tgz",
|
||||||
|
"integrity": "sha512-hMp0onDKIajHfIkdRk3P4CdCmErkYAxxDtP3Wx/4nZ3aGlau2VKh3mZpcuFkH27WQkL/3WBCPOktzA9ZOAnMQQ==",
|
||||||
|
"dev": true
|
||||||
|
},
|
||||||
|
"pkg-dir": {
|
||||||
|
"version": "3.0.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/pkg-dir/-/pkg-dir-3.0.0.tgz",
|
||||||
|
"integrity": "sha512-/E57AYkoeQ25qkxMj5PBOVgF8Kiu/h7cYS30Z5+R7WaiCCBfLq58ZI/dSeaEKb9WVJV5n/03QwrN3IeWIFllvw==",
|
||||||
|
"dev": true,
|
||||||
|
"requires": {
|
||||||
|
"find-up": "^3.0.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"pump": {
|
||||||
|
"version": "3.0.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/pump/-/pump-3.0.0.tgz",
|
||||||
|
"integrity": "sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==",
|
||||||
|
"dev": true,
|
||||||
|
"requires": {
|
||||||
|
"end-of-stream": "^1.1.0",
|
||||||
|
"once": "^1.3.1"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"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"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"ssri": {
|
||||||
|
"version": "6.0.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/ssri/-/ssri-6.0.1.tgz",
|
||||||
|
"integrity": "sha512-3Wge10hNcT1Kur4PDFwEieXSCMCJs/7WvSACcrMYrNp+b8kDL1/0wJch5Ni2WrtwEa2IO8OsVfeKIciKCDx/QA==",
|
||||||
|
"dev": true,
|
||||||
|
"requires": {
|
||||||
|
"figgy-pudding": "^3.5.1"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"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
|
||||||
|
}
|
||||||
|
}
|
||||||
},
|
},
|
||||||
"through2": {
|
"through2": {
|
||||||
"version": "2.0.3",
|
"version": "2.0.3",
|
||||||
@ -9638,9 +9802,9 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"webpack": {
|
"webpack": {
|
||||||
"version": "4.25.1",
|
"version": "4.26.1",
|
||||||
"resolved": "https://registry.npmjs.org/webpack/-/webpack-4.25.1.tgz",
|
"resolved": "https://registry.npmjs.org/webpack/-/webpack-4.26.1.tgz",
|
||||||
"integrity": "sha512-T0GU/3NRtO4tMfNzsvpdhUr8HnzA4LTdP2zd+e5zd6CdOH5vNKHnAlO+DvzccfhPdzqRrALOFcjYxx7K5DWmvA==",
|
"integrity": "sha512-i2oOvEvuvLLSuSCkdVrknaxAhtUZ9g+nLSoHCWV0gDzqGX2DXaCrMmMUpbRsTSSLrUqAI56PoEiyMUZIZ1msug==",
|
||||||
"dev": true,
|
"dev": true,
|
||||||
"requires": {
|
"requires": {
|
||||||
"@webassemblyjs/ast": "1.7.11",
|
"@webassemblyjs/ast": "1.7.11",
|
||||||
@ -9664,7 +9828,7 @@
|
|||||||
"node-libs-browser": "^2.0.0",
|
"node-libs-browser": "^2.0.0",
|
||||||
"schema-utils": "^0.4.4",
|
"schema-utils": "^0.4.4",
|
||||||
"tapable": "^1.1.0",
|
"tapable": "^1.1.0",
|
||||||
"uglifyjs-webpack-plugin": "^1.2.4",
|
"terser-webpack-plugin": "^1.1.0",
|
||||||
"watchpack": "^1.5.0",
|
"watchpack": "^1.5.0",
|
||||||
"webpack-sources": "^1.3.0"
|
"webpack-sources": "^1.3.0"
|
||||||
},
|
},
|
||||||
|
12
package.json
12
package.json
@ -10,27 +10,27 @@
|
|||||||
"permissions": "chown -R $USER:$USER bootstrap/cache storage public/uploads"
|
"permissions": "chown -R $USER:$USER bootstrap/cache storage public/uploads"
|
||||||
},
|
},
|
||||||
"devDependencies": {
|
"devDependencies": {
|
||||||
"@babel/core": "^7.1.5",
|
"@babel/core": "^7.1.6",
|
||||||
"@babel/polyfill": "^7.0.0",
|
"@babel/polyfill": "^7.0.0",
|
||||||
"@babel/preset-env": "^7.1.5",
|
"@babel/preset-env": "^7.1.6",
|
||||||
"autoprefixer": "^8.6.5",
|
"autoprefixer": "^8.6.5",
|
||||||
"babel-loader": "^8.0.4",
|
"babel-loader": "^8.0.4",
|
||||||
"css-loader": "^0.28.11",
|
"css-loader": "^0.28.11",
|
||||||
"extract-text-webpack-plugin": "^4.0.0-beta.0",
|
"extract-text-webpack-plugin": "^4.0.0-beta.0",
|
||||||
"livereload": "^0.7.0",
|
"livereload": "^0.7.0",
|
||||||
"node-sass": "^4.10.0",
|
"node-sass": "^4.10.0",
|
||||||
"npm-run-all": "^4.1.3",
|
"npm-run-all": "^4.1.5",
|
||||||
"postcss-loader": "^2.1.6",
|
"postcss-loader": "^2.1.6",
|
||||||
"sass-loader": "^7.1.0",
|
"sass-loader": "^7.1.0",
|
||||||
"style-loader": "^0.21.0",
|
"style-loader": "^0.21.0",
|
||||||
"uglifyjs-webpack-plugin": "^1.3.0",
|
"uglifyjs-webpack-plugin": "^1.3.0",
|
||||||
"webpack": "^4.25.1",
|
"webpack": "^4.26.1",
|
||||||
"webpack-cli": "^3.1.2"
|
"webpack-cli": "^3.1.2"
|
||||||
},
|
},
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"axios": "^0.18.0",
|
"axios": "^0.18.0",
|
||||||
"clipboard": "^2.0.1",
|
"clipboard": "^2.0.4",
|
||||||
"codemirror": "^5.41.0",
|
"codemirror": "^5.42.0",
|
||||||
"dropzone": "^5.5.1",
|
"dropzone": "^5.5.1",
|
||||||
"jquery": "^3.3.1",
|
"jquery": "^3.3.1",
|
||||||
"jquery-sortable": "^0.9.13",
|
"jquery-sortable": "^0.9.13",
|
||||||
|
11
readme.md
11
readme.md
@ -25,11 +25,14 @@ In regards to development philosophy, BookStack has a relaxed, open & positive a
|
|||||||
|
|
||||||
All development on BookStack is currently done on the master branch. When it's time for a release the master branch is merged into release with built & minified CSS & JS then tagged at its version. Here are the current development requirements:
|
All development on BookStack is currently done on the master branch. When it's time for a release the master branch is merged into release with built & minified CSS & JS then tagged at its version. Here are the current development requirements:
|
||||||
|
|
||||||
* [Node.js](https://nodejs.org/en/) v6.9+
|
* [Node.js](https://nodejs.org/en/) v10.0+
|
||||||
|
|
||||||
SASS is used to help the CSS development and the JavaScript is run through babel to allow for writing ES6 code. This is done using webpack. To run the build task you can use the following commands:
|
SASS is used to help the CSS development and the JavaScript is run through babel to allow for writing ES6 code. This is done using webpack. To run the build task you can use the following commands:
|
||||||
|
|
||||||
``` bash
|
``` bash
|
||||||
|
# Install NPM Dependencies
|
||||||
|
npm install
|
||||||
|
|
||||||
# Build assets for development
|
# Build assets for development
|
||||||
npm run build
|
npm run build
|
||||||
|
|
||||||
@ -40,7 +43,7 @@ npm run production
|
|||||||
npm run dev
|
npm run dev
|
||||||
```
|
```
|
||||||
|
|
||||||
BookStack has many integration tests that use Laravel's built-in testing capabilities which makes use of PHPUnit. To use you will need PHPUnit installed and accessible via command line. There is a `mysql_testing` database defined within the app config which is what is used by PHPUnit. This database is set with the following database name, user name and password defined as `bookstack-test`. You will have to create that database and credentials before testing.
|
BookStack has many integration tests that use Laravel's built-in testing capabilities which makes use of PHPUnit. To use you will need PHPUnit 6 installed and accessible via command line, Directly running the composer-installed version will not work. There is a `mysql_testing` database defined within the app config which is what is used by PHPUnit. This database is set with the following database name, user name and password defined as `bookstack-test`. You will have to create that database and credentials before testing.
|
||||||
|
|
||||||
The testing database will also need migrating and seeding beforehand. This can be done with the following commands:
|
The testing database will also need migrating and seeding beforehand. This can be done with the following commands:
|
||||||
|
|
||||||
@ -53,7 +56,7 @@ Once done you can run `phpunit` in the application root directory to run all tes
|
|||||||
|
|
||||||
## Translations
|
## Translations
|
||||||
|
|
||||||
As part of BookStack v0.14 support for translations has been built in. All text strings can be found in the `resources/lang` folder where each language option has its own folder. To add a new language you should copy the `en` folder to an new folder (eg. `fr` for french) then go through and translate all text strings in those files, leaving the keys and file-names intact. If a language string is missing then the `en` translation will be used. To show the language option in the user preferences language drop-down you will need to add your language to the options found at the bottom of the `resources/lang/en/settings.php` file. A system-wide language can also be set in the `.env` file like so: `APP_LANG=en`.
|
All text strings can be found in the `resources/lang` folder where each language option has its own folder. To add a new language you should copy the `en` folder to an new folder (eg. `fr` for french) then go through and translate all text strings in those files, leaving the keys and file-names intact. If a language string is missing then the `en` translation will be used. To show the language option in the user preferences language drop-down you will need to add your language to the options found at the bottom of the `resources/lang/en/settings.php` file. A system-wide language can also be set in the `.env` file like so: `APP_LANG=en`.
|
||||||
|
|
||||||
You will also need to add the language to the `locales` array in the `config/app.php` file.
|
You will also need to add the language to the `locales` array in the `config/app.php` file.
|
||||||
|
|
||||||
@ -70,7 +73,7 @@ php resources/lang/check.php pt_BR
|
|||||||
|
|
||||||
Some strings have colon-prefixed variables in such as `:userName`. Leave these values as they are as they will be replaced at run-time.
|
Some strings have colon-prefixed variables in such as `:userName`. Leave these values as they are as they will be replaced at run-time.
|
||||||
|
|
||||||
## Contributing & Maintenence
|
## Contributing & Maintenance
|
||||||
|
|
||||||
Feel free to create issues to request new features or to report bugs and problems. Just please follow the template given when creating the issue.
|
Feel free to create issues to request new features or to report bugs and problems. Just please follow the template given when creating the issue.
|
||||||
|
|
||||||
|
@ -52,7 +52,7 @@ const modeMap = {
|
|||||||
sh: 'shell',
|
sh: 'shell',
|
||||||
bash: 'shell',
|
bash: 'shell',
|
||||||
toml: 'toml',
|
toml: 'toml',
|
||||||
sql: 'sql',
|
sql: 'text/x-sql',
|
||||||
xml: 'xml',
|
xml: 'xml',
|
||||||
yaml: 'yaml',
|
yaml: 'yaml',
|
||||||
yml: 'yaml',
|
yml: 'yaml',
|
||||||
|
@ -159,8 +159,8 @@ const methods = {
|
|||||||
});
|
});
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
let url = window.baseUrl(`/images/${this.selectedImage.id}`);
|
||||||
this.$http.delete(`/images/${this.selectedImage.id}`).then(resp => {
|
this.$http.delete(url).then(resp => {
|
||||||
this.images.splice(this.images.indexOf(this.selectedImage), 1);
|
this.images.splice(this.images.indexOf(this.selectedImage), 1);
|
||||||
this.selectedImage = false;
|
this.selectedImage = false;
|
||||||
this.$events.emit('success', trans('components.image_delete_success'));
|
this.$events.emit('success', trans('components.image_delete_success'));
|
||||||
|
@ -8,36 +8,44 @@ return [
|
|||||||
*/
|
*/
|
||||||
|
|
||||||
// Pages
|
// Pages
|
||||||
'page_create' => 'Seite erstellt',
|
'page_create' => 'erstellt Seite',
|
||||||
'page_create_notification' => 'Die Seite wurde erfolgreich erstellt.',
|
'page_create_notification' => 'Die Seite wurde erfolgreich erstellt.',
|
||||||
'page_update' => 'Seite aktualisiert',
|
'page_update' => 'aktualisiert Seite',
|
||||||
'page_update_notification' => 'Die Seite wurde erfolgreich aktualisiert.',
|
'page_update_notification' => 'Die Seite wurde erfolgreich aktualisiert.',
|
||||||
'page_delete' => 'Seite gelöscht',
|
'page_delete' => 'löscht Seite',
|
||||||
'page_delete_notification' => 'Die Seite wurde erfolgreich gelöscht.',
|
'page_delete_notification' => 'Die Seite wurde erfolgreich gelöscht.',
|
||||||
'page_restore' => 'Seite wiederhergstellt',
|
'page_restore' => 'stellt Seite wieder her',
|
||||||
'page_restore_notification' => 'Die Seite wurde erfolgreich wiederhergstellt.',
|
'page_restore_notification' => 'Die Seite wurde erfolgreich wiederhergestellt.',
|
||||||
'page_move' => 'Seite verschoben',
|
'page_move' => 'verschiebt Seite',
|
||||||
|
'page_move_notification' => 'Die Seite wurde erfolgreich verschoben.',
|
||||||
|
|
||||||
// Chapters
|
// Chapters
|
||||||
'chapter_create' => 'Kapitel erstellt',
|
'chapter_create' => 'erstellt Kapitel',
|
||||||
'chapter_create_notification' => 'Das Kapitel wurde erfolgreich erstellt.',
|
'chapter_create_notification' => 'Das Kapitel wurde erfolgreich erstellt.',
|
||||||
'chapter_update' => 'Kapitel aktualisiert',
|
'chapter_update' => 'aktualisiert Kapitel',
|
||||||
'chapter_update_notification' => 'Das Kapitel wurde erfolgreich aktualisiert.',
|
'chapter_update_notification' => 'Das Kapitel wurde erfolgreich aktualisiert.',
|
||||||
'chapter_delete' => 'Kapitel gelöscht',
|
'chapter_delete' => 'löscht Kapitel',
|
||||||
'chapter_delete_notification' => 'Das Kapitel wurde erfolgreich gelöscht.',
|
'chapter_delete_notification' => 'Das Kapitel wurde erfolgreich gelöscht.',
|
||||||
'chapter_move' => 'Kapitel verschoben',
|
'chapter_move' => 'verschiebt Kapitel',
|
||||||
|
|
||||||
// Books
|
// Books
|
||||||
'book_create' => 'Buch erstellt',
|
'book_create' => 'erstellt Buch',
|
||||||
'book_create_notification' => 'Das Buch wurde erfolgreich erstellt.',
|
'book_create_notification' => 'Das Buch wurde erfolgreich erstellt.',
|
||||||
'book_update' => 'Buch aktualisiert',
|
'book_update' => 'aktualisiert Buch',
|
||||||
'book_update_notification' => 'Das Buch wurde erfolgreich aktualisiert.',
|
'book_update_notification' => 'Das Buch wurde erfolgreich aktualisiert.',
|
||||||
'book_delete' => 'Buch gelöscht',
|
'book_delete' => 'löscht Buch',
|
||||||
'book_delete_notification' => 'Das Buch wurde erfolgreich gelöscht.',
|
'book_delete_notification' => 'Das Buch wurde erfolgreich gelöscht.',
|
||||||
'book_sort' => 'Buch sortiert',
|
'book_sort' => 'sortiert Buch',
|
||||||
'book_sort_notification' => 'Das Buch wurde erfolgreich neu sortiert.',
|
'book_sort_notification' => 'Das Buch wurde erfolgreich umsortiert.',
|
||||||
|
|
||||||
// Other
|
|
||||||
'commented_on' => 'kommentierte',
|
|
||||||
|
|
||||||
|
// Bookshelves
|
||||||
|
'bookshelf_create' => 'erstellt Bücherregal',
|
||||||
|
'bookshelf_create_notification' => 'Das Bücherregal wurde erfolgreich erstellt',
|
||||||
|
'bookshelf_update' => 'aktualisiert Bücherregal',
|
||||||
|
'bookshelf_update_notification' => 'Das Bücherregal wurde erfolgreich aktualisiert',
|
||||||
|
'bookshelf_delete' => 'löscht Bücherregal',
|
||||||
|
'bookshelf_delete_notification' => 'Das Bücherregal wurde erfolgreich gelöscht',
|
||||||
|
|
||||||
|
// Other
|
||||||
|
'commented_on' => 'kommentiert',
|
||||||
];
|
];
|
||||||
|
@ -13,10 +13,10 @@ return [
|
|||||||
|
|
|
|
||||||
*/
|
*/
|
||||||
|
|
||||||
'password' => 'Passörter müssen mindestens sechs Zeichen enthalten und die Wiederholung muss übereinstimmen.',
|
'password' => 'Passwörter müssen aus mindestens sechs Zeichen bestehen und mit der eingegebenen Wiederholung übereinstimmen.',
|
||||||
'user' => "Es konnte kein Benutzer mit dieser E-Mail-Adresse gefunden werden.",
|
'user' => 'Es wurde kein Benutzer mit dieser E-Mail-Adresse gefunden.',
|
||||||
'token' => 'Dieser Link zum Zurücksetzen des Passwortes ist ungültig.',
|
'token' => 'Dieser Link zum Zurücksetzen des Passwortes ist ungültig!',
|
||||||
'sent' => 'Wir haben Ihnen eine E-Mail mit einem Link zum Zurücksetzen des Passworts zugesendet!',
|
'sent' => 'Der Link zum Zurücksetzen Ihres Passwortes wurde Ihnen per E-Mail zugesendet.',
|
||||||
'reset' => 'Ihr Passwort wurde zurückgesetzt!',
|
'reset' => 'Ihr Passwort wurde zurückgesetzt!',
|
||||||
|
|
||||||
];
|
];
|
||||||
|
6
resources/lang/de_informal/activities.php
Normal file
6
resources/lang/de_informal/activities.php
Normal file
@ -0,0 +1,6 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
// Extends 'de'
|
||||||
|
return [
|
||||||
|
//
|
||||||
|
];
|
47
resources/lang/de_informal/auth.php
Normal file
47
resources/lang/de_informal/auth.php
Normal file
@ -0,0 +1,47 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
// Extends 'de'
|
||||||
|
return [
|
||||||
|
|
||||||
|
/*
|
||||||
|
|--------------------------------------------------------------------------
|
||||||
|
| Authentication Language Lines
|
||||||
|
|--------------------------------------------------------------------------
|
||||||
|
|
|
||||||
|
| The following language lines are used during authentication for various
|
||||||
|
| messages that we need to display to the user. You are free to modify
|
||||||
|
| these language lines according to your application's requirements.
|
||||||
|
|
|
||||||
|
*/
|
||||||
|
'throttle' => 'Zu viele Anmeldeversuche. Bitte versuche es in :seconds Sekunden erneut.',
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Login & Register
|
||||||
|
*/
|
||||||
|
'ldap_email_hint' => 'Bitte gib eine E-Mail-Adresse ein, um diese mit dem Account zu nutzen.',
|
||||||
|
'register_confirm' => 'Bitte prüfe Deinen Posteingang und bestätig die Registrierung.',
|
||||||
|
'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.',
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Password Reset
|
||||||
|
*/
|
||||||
|
'reset_password_send_instructions' => 'Bitte gib Deine E-Mail-Adresse ein. Danach erhältst Du eine E-Mail mit einem Link zum Zurücksetzen Deines Passwortes.',
|
||||||
|
'reset_password_sent_success' => 'Eine E-Mail mit dem Link zum Zurücksetzen Deines Passwortes wurde an :email gesendet.',
|
||||||
|
'reset_password_success' => 'Dein Passwort wurde erfolgreich zurückgesetzt.',
|
||||||
|
'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 Confirmation
|
||||||
|
*/
|
||||||
|
'email_confirm_subject' => 'Bestätige Deine E-Mail-Adresse für :appName',
|
||||||
|
'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_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_resent' => 'Bestätigungs-E-Mail wurde erneut versendet, bitte überprüfe Deinen Posteingang.',
|
||||||
|
'email_not_confirmed_text' => 'Deine E-Mail-Adresse ist bisher nicht bestätigt.',
|
||||||
|
'email_not_confirmed_click_link' => 'Bitte klicke auf den Link in der E-Mail, die Du nach der Registrierung erhalten hast.',
|
||||||
|
'email_not_confirmed_resend' => 'Wenn Du die E-Mail nicht erhalten hast, kannst Du die Nachricht erneut anfordern. Fülle hierzu bitte das folgende Formular aus:',
|
||||||
|
];
|
9
resources/lang/de_informal/common.php
Normal file
9
resources/lang/de_informal/common.php
Normal file
@ -0,0 +1,9 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
// Extends 'de'
|
||||||
|
return [
|
||||||
|
/**
|
||||||
|
* Email Content
|
||||||
|
*/
|
||||||
|
'email_action_help' => 'Sollte es beim Anklicken der Schaltfläche ":action_text" Probleme geben, öffne die folgende URL in Deinem Browser:',
|
||||||
|
];
|
10
resources/lang/de_informal/components.php
Normal file
10
resources/lang/de_informal/components.php
Normal file
@ -0,0 +1,10 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
// Extends 'de'
|
||||||
|
return [
|
||||||
|
/**
|
||||||
|
* Image Manager
|
||||||
|
*/
|
||||||
|
'image_delete_confirm' => 'Bitte klicke erneut auf löschen, wenn Du dieses Bild wirklich entfernen möchtest.',
|
||||||
|
'image_dropzone' => 'Ziehe Bilder hierher oder klicke hier, um ein Bild auszuwählen',
|
||||||
|
];
|
57
resources/lang/de_informal/entities.php
Normal file
57
resources/lang/de_informal/entities.php
Normal file
@ -0,0 +1,57 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
// Extends 'de'
|
||||||
|
return [
|
||||||
|
/**
|
||||||
|
* Shared
|
||||||
|
*/
|
||||||
|
'no_pages_viewed' => 'Du hast bisher keine Seiten angesehen.',
|
||||||
|
'no_pages_recently_created' => 'Du hast bisher keine Seiten angelegt.',
|
||||||
|
'no_pages_recently_updated' => 'Du hast bisher keine Seiten aktualisiert.',
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Books
|
||||||
|
*/
|
||||||
|
'books_delete_confirmation' => 'Bist Du sicher, dass Du dieses Buch löschen möchtest?',
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Chapters
|
||||||
|
*/
|
||||||
|
'chapters_delete_confirm' => 'Bist Du sicher, dass Du dieses Kapitel löschen möchtest?',
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Pages
|
||||||
|
*/
|
||||||
|
'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_edit_enter_changelog_desc' => 'Bitte gib eine kurze Zusammenfassung Deiner Änderungen ein',
|
||||||
|
'pages_editing_draft_notification' => 'Du bearbeitest momenten einen Entwurf, der zuletzt :timeDiff gespeichert wurde.',
|
||||||
|
'pages_draft_edit_active' => [
|
||||||
|
'start_a' => ':count Benutzer bearbeiten derzeit diese Seite.',
|
||||||
|
'start_b' => ':userName bearbeitet jetzt diese Seite.',
|
||||||
|
'time_a' => 'seit die Seiten zuletzt aktualisiert wurden.',
|
||||||
|
'time_b' => 'in den letzten :minCount Minuten',
|
||||||
|
'message' => ':start :time. Achte darauf, keine Änderungen von anderen Benutzern zu überschreiben!',
|
||||||
|
],
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Editor sidebar
|
||||||
|
*/
|
||||||
|
'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.",
|
||||||
|
'attachments_explain' => 'Du kannst auf Deiner Seite Dateien hochladen oder Links hinzufügen. Diese werden in der Seitenleiste angezeigt.',
|
||||||
|
'attachments_delete_confirm' => 'Klicke erneut auf löschen, um diesen Anhang zu entfernen.',
|
||||||
|
'attachments_dropzone' => 'Ziehe Dateien hierher oder klicke hier, um eine Datei auszuwählen',
|
||||||
|
'attachments_explain_link' => 'Wenn Du keine Datei hochladen möchtest, kannst Du stattdessen einen Link hinzufügen. Dieser Link kann auf eine andere Seite oder eine Datei im Internet verweisen.',
|
||||||
|
'attachments_edit_drop_upload' => 'Ziehe Dateien hierher, um diese hochzuladen und zu überschreiben',
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Comments
|
||||||
|
*/
|
||||||
|
'comment_placeholder' => 'Gib hier Deine Kommentare ein (Markdown unterstützt)',
|
||||||
|
'comment_delete_confirm' => 'Möchtst Du diesen Kommentar wirklich löschen?',
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Revision
|
||||||
|
*/
|
||||||
|
'revision_delete_confirm' => 'Bist Du sicher, dass Du diese Revision löschen möchtest?',
|
||||||
|
];
|
32
resources/lang/de_informal/errors.php
Normal file
32
resources/lang/de_informal/errors.php
Normal file
@ -0,0 +1,32 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
// Extends 'de'
|
||||||
|
return [
|
||||||
|
// Pages
|
||||||
|
'permission' => 'Du hast keine Berechtigung, auf diese Seite zuzugreifen.',
|
||||||
|
'permissionJson' => 'Du hast keine Berechtigung, die angeforderte Aktion auszuführen.',
|
||||||
|
|
||||||
|
// Auth
|
||||||
|
'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.',
|
||||||
|
'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_not_used' => 'Dieses :socialAccount-Konto ist bisher keinem Benutzer zugeordnet. Du kannst das in Deinen Profil-Einstellungen tun.',
|
||||||
|
'social_account_register_instructions' => 'Wenn Du bisher kein Social-Media Konto besitzt, kannst Du ein solches Konto mit der :socialAccount Option anlegen.',
|
||||||
|
|
||||||
|
// 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.',
|
||||||
|
'cannot_create_thumbs' => 'Der Server kann keine Vorschau-Bilder erzeugen. Bitte prüfe, ob die GD PHP-Erweiterung installiert ist.',
|
||||||
|
'server_upload_limit' => 'Der Server verbietet das Hochladen von Dateien mit dieser Dateigröße. Bitte versuche es mit einer kleineren Datei.',
|
||||||
|
|
||||||
|
// Pages
|
||||||
|
'page_draft_autosave_fail' => 'Fehler beim Speichern des Entwurfs. Stelle sicher, dass Du mit dem Internet verbunden bist, bevor Du den Entwurf dieser Seite speicherst.',
|
||||||
|
'page_custom_home_deletion' => 'Eine als Startseite gesetzte Seite kann nicht gelöscht werden.',
|
||||||
|
|
||||||
|
// Users
|
||||||
|
'users_cannot_delete_only_admin' => 'Du kannst den einzigen Administrator nicht löschen.',
|
||||||
|
'users_cannot_delete_guest' => 'Du kannst den Gast-Benutzer nicht löschen',
|
||||||
|
|
||||||
|
// Error pages
|
||||||
|
'sorry_page_not_found' => 'Entschuldigung. Die Seite, die Du angefordert hast, wurde nicht gefunden.',
|
||||||
|
];
|
6
resources/lang/de_informal/pagination.php
Normal file
6
resources/lang/de_informal/pagination.php
Normal file
@ -0,0 +1,6 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
// Extends 'de'
|
||||||
|
return [
|
||||||
|
//
|
||||||
|
];
|
6
resources/lang/de_informal/passwords.php
Normal file
6
resources/lang/de_informal/passwords.php
Normal file
@ -0,0 +1,6 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
// Extends 'de'
|
||||||
|
return [
|
||||||
|
//
|
||||||
|
];
|
38
resources/lang/de_informal/settings.php
Normal file
38
resources/lang/de_informal/settings.php
Normal file
@ -0,0 +1,38 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
// Extends 'de'
|
||||||
|
return [
|
||||||
|
/**
|
||||||
|
* Settings text strings
|
||||||
|
* Contains all text strings used in the general settings sections of BookStack
|
||||||
|
* including users and roles.
|
||||||
|
*/
|
||||||
|
|
||||||
|
/**
|
||||||
|
* App settings
|
||||||
|
*/
|
||||||
|
'app_editor_desc' => 'Wähle den Editor aus, der von allen Benutzern genutzt werden soll, um Seiten zu editieren.',
|
||||||
|
'app_primary_color_desc' => "Dies sollte ein HEX Wert sein.\nWenn Du nichts eingibst, wird die Anwendung auf die Standardfarbe zurückgesetzt.",
|
||||||
|
'app_homepage_desc' => 'Wähle eine Seite als Startseite aus, die statt der Standardansicht angezeigt werden soll. Seitenberechtigungen werden für die ausgewählten Seiten ignoriert.',
|
||||||
|
'app_homepage_books' => 'Oder wähle die Buch-Übersicht als Startseite. Das wird die Seiten-Auswahl überschreiben.',
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Maintenance settings
|
||||||
|
*/
|
||||||
|
'maint_image_cleanup_desc' => 'Überprüft Seiten- und Versionsinhalte auf ungenutzte und mehrfach vorhandene Bilder. Erstelle vor dem Start ein Backup Deiner Datenbank und Bilder.',
|
||||||
|
'maint_image_cleanup_warning' => ':count eventuell unbenutze Bilder wurden gefunden. Möchtest Du diese Bilder löschen?',
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Role settings
|
||||||
|
*/
|
||||||
|
'role_delete_confirm' => 'Du möchtest die Rolle ":roleName" löschen.',
|
||||||
|
'role_delete_users_assigned' => 'Diese Rolle ist :userCount Benutzern zugeordnet. Du kannst unten eine neue Rolle auswählen, die Du diesen Benutzern zuordnen möchtest.',
|
||||||
|
'role_delete_sure' => 'Bist Du sicher, dass Du diese Rolle löschen möchtest?',
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Users
|
||||||
|
*/
|
||||||
|
'users_password_warning' => 'Fülle die folgenden Felder nur aus, wenn Du Dein Passwort ändern möchtest:',
|
||||||
|
'users_delete_confirm' => 'Bist Du sicher, dass Du diesen Benutzer löschen möchtest?',
|
||||||
|
'users_social_accounts_info' => 'Hier kannst Du andere Social-Media-Konten für eine schnellere und einfachere Anmeldung verknüpfen. Wenn Du ein Social-Media Konto löschst, bleibt der Zugriff erhalten. Entferne in diesem Falle die Berechtigung in Deinen Profil-Einstellungen des verknüpften Social-Media-Kontos.',
|
||||||
|
];
|
6
resources/lang/de_informal/validation.php
Normal file
6
resources/lang/de_informal/validation.php
Normal file
@ -0,0 +1,6 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
// Extends 'de'
|
||||||
|
return [
|
||||||
|
//
|
||||||
|
];
|
@ -1,12 +1,10 @@
|
|||||||
<?php
|
<?php
|
||||||
|
/**
|
||||||
|
* Activity text strings.
|
||||||
|
* Is used for all the text within activity logs & notifications.
|
||||||
|
*/
|
||||||
return [
|
return [
|
||||||
|
|
||||||
/**
|
|
||||||
* Activity text strings.
|
|
||||||
* Is used for all the text within activity logs & notifications.
|
|
||||||
*/
|
|
||||||
|
|
||||||
// Pages
|
// Pages
|
||||||
'page_create' => 'created page',
|
'page_create' => 'created page',
|
||||||
'page_create_notification' => 'Page Successfully Created',
|
'page_create_notification' => 'Page Successfully Created',
|
||||||
|
@ -1,21 +1,15 @@
|
|||||||
<?php
|
<?php
|
||||||
|
/**
|
||||||
|
* Authentication Language Lines
|
||||||
|
* The following language lines are used during authentication for various
|
||||||
|
* messages that we need to display to the user.
|
||||||
|
*/
|
||||||
return [
|
return [
|
||||||
/*
|
|
||||||
|--------------------------------------------------------------------------
|
|
||||||
| Authentication Language Lines
|
|
||||||
|--------------------------------------------------------------------------
|
|
||||||
|
|
|
||||||
| The following language lines are used during authentication for various
|
|
||||||
| messages that we need to display to the user. You are free to modify
|
|
||||||
| these language lines according to your application's requirements.
|
|
||||||
|
|
|
||||||
*/
|
|
||||||
'failed' => 'These credentials do not match our records.',
|
'failed' => 'These credentials do not match our records.',
|
||||||
'throttle' => 'Too many login attempts. Please try again in :seconds seconds.',
|
'throttle' => 'Too many login attempts. Please try again in :seconds seconds.',
|
||||||
|
|
||||||
/**
|
// Login & Register
|
||||||
* Login & Register
|
|
||||||
*/
|
|
||||||
'sign_up' => 'Sign up',
|
'sign_up' => 'Sign up',
|
||||||
'log_in' => 'Log in',
|
'log_in' => 'Log in',
|
||||||
'log_in_with' => 'Login with :socialDriver',
|
'log_in_with' => 'Login with :socialDriver',
|
||||||
@ -43,23 +37,18 @@ return [
|
|||||||
'register_success' => 'Thanks for signing up! You are now registered and signed in.',
|
'register_success' => 'Thanks for signing up! You are now registered and signed in.',
|
||||||
|
|
||||||
|
|
||||||
/**
|
// Password Reset
|
||||||
* Password Reset
|
|
||||||
*/
|
|
||||||
'reset_password' => 'Reset Password',
|
'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_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_send_button' => 'Send Reset Link',
|
||||||
'reset_password_sent_success' => 'A password reset link has been sent to :email.',
|
'reset_password_sent_success' => 'A password reset link has been sent to :email.',
|
||||||
'reset_password_success' => 'Your password has been successfully reset.',
|
'reset_password_success' => 'Your password has been successfully reset.',
|
||||||
|
|
||||||
'email_reset_subject' => 'Reset your :appName password',
|
'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_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_reset_not_requested' => 'If you did not request a password reset, no further action is required.',
|
||||||
|
|
||||||
|
|
||||||
/**
|
// Email Confirmation
|
||||||
* Email Confirmation
|
|
||||||
*/
|
|
||||||
'email_confirm_subject' => 'Confirm your email on :appName',
|
'email_confirm_subject' => 'Confirm your email on :appName',
|
||||||
'email_confirm_greeting' => 'Thanks for joining :appName!',
|
'email_confirm_greeting' => 'Thanks for joining :appName!',
|
||||||
'email_confirm_text' => 'Please confirm your email address by clicking the button below:',
|
'email_confirm_text' => 'Please confirm your email address by clicking the button below:',
|
||||||
|
@ -1,9 +1,10 @@
|
|||||||
<?php
|
<?php
|
||||||
|
/**
|
||||||
|
* Common elements found throughout many areas of BookStack.
|
||||||
|
*/
|
||||||
return [
|
return [
|
||||||
|
|
||||||
/**
|
// Buttons
|
||||||
* Buttons
|
|
||||||
*/
|
|
||||||
'cancel' => 'Cancel',
|
'cancel' => 'Cancel',
|
||||||
'confirm' => 'Confirm',
|
'confirm' => 'Confirm',
|
||||||
'back' => 'Back',
|
'back' => 'Back',
|
||||||
@ -12,18 +13,14 @@ return [
|
|||||||
'select' => 'Select',
|
'select' => 'Select',
|
||||||
'more' => 'More',
|
'more' => 'More',
|
||||||
|
|
||||||
/**
|
// Form Labels
|
||||||
* Form Labels
|
|
||||||
*/
|
|
||||||
'name' => 'Name',
|
'name' => 'Name',
|
||||||
'description' => 'Description',
|
'description' => 'Description',
|
||||||
'role' => 'Role',
|
'role' => 'Role',
|
||||||
'cover_image' => 'Cover image',
|
'cover_image' => 'Cover image',
|
||||||
'cover_image_description' => 'This image should be approx 440x250px.',
|
'cover_image_description' => 'This image should be approx 440x250px.',
|
||||||
|
|
||||||
/**
|
// Actions
|
||||||
* Actions
|
|
||||||
*/
|
|
||||||
'actions' => 'Actions',
|
'actions' => 'Actions',
|
||||||
'view' => 'View',
|
'view' => 'View',
|
||||||
'create' => 'Create',
|
'create' => 'Create',
|
||||||
@ -40,9 +37,7 @@ return [
|
|||||||
'remove' => 'Remove',
|
'remove' => 'Remove',
|
||||||
'add' => 'Add',
|
'add' => 'Add',
|
||||||
|
|
||||||
/**
|
// Misc
|
||||||
* Misc
|
|
||||||
*/
|
|
||||||
'deleted_user' => 'Deleted User',
|
'deleted_user' => 'Deleted User',
|
||||||
'no_activity' => 'No activity to show',
|
'no_activity' => 'No activity to show',
|
||||||
'no_items' => 'No items available',
|
'no_items' => 'No items available',
|
||||||
@ -54,15 +49,11 @@ return [
|
|||||||
'list_view' => 'List View',
|
'list_view' => 'List View',
|
||||||
'default' => 'Default',
|
'default' => 'Default',
|
||||||
|
|
||||||
/**
|
// Header
|
||||||
* Header
|
|
||||||
*/
|
|
||||||
'view_profile' => 'View Profile',
|
'view_profile' => 'View Profile',
|
||||||
'edit_profile' => 'Edit Profile',
|
'edit_profile' => 'Edit Profile',
|
||||||
|
|
||||||
/**
|
// Email 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_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',
|
'email_rights' => 'All rights reserved',
|
||||||
];
|
];
|
@ -1,9 +1,10 @@
|
|||||||
<?php
|
<?php
|
||||||
|
/**
|
||||||
|
* Text used in custom JavaScript driven components.
|
||||||
|
*/
|
||||||
return [
|
return [
|
||||||
|
|
||||||
/**
|
// Image Manager
|
||||||
* Image Manager
|
|
||||||
*/
|
|
||||||
'image_select' => 'Image Select',
|
'image_select' => 'Image Select',
|
||||||
'image_all' => 'All',
|
'image_all' => 'All',
|
||||||
'image_all_title' => 'View all images',
|
'image_all_title' => 'View all images',
|
||||||
@ -24,9 +25,7 @@ return [
|
|||||||
'image_delete_success' => 'Image successfully deleted',
|
'image_delete_success' => 'Image successfully deleted',
|
||||||
'image_upload_remove' => 'Remove',
|
'image_upload_remove' => 'Remove',
|
||||||
|
|
||||||
/**
|
// Code Editor
|
||||||
* Code editor
|
|
||||||
*/
|
|
||||||
'code_editor' => 'Edit Code',
|
'code_editor' => 'Edit Code',
|
||||||
'code_language' => 'Code Language',
|
'code_language' => 'Code Language',
|
||||||
'code_content' => 'Code Content',
|
'code_content' => 'Code Content',
|
||||||
|
@ -1,9 +1,11 @@
|
|||||||
<?php
|
<?php
|
||||||
|
/**
|
||||||
|
* Text used for 'Entities' (Document Structure Elements) such as
|
||||||
|
* Books, Shelves, Chapters & Pages
|
||||||
|
*/
|
||||||
return [
|
return [
|
||||||
|
|
||||||
/**
|
// Shared
|
||||||
* Shared
|
|
||||||
*/
|
|
||||||
'recently_created' => 'Recently Created',
|
'recently_created' => 'Recently Created',
|
||||||
'recently_created_pages' => 'Recently Created Pages',
|
'recently_created_pages' => 'Recently Created Pages',
|
||||||
'recently_updated_pages' => 'Recently Updated Pages',
|
'recently_updated_pages' => 'Recently Updated Pages',
|
||||||
@ -31,17 +33,13 @@ return [
|
|||||||
'export_pdf' => 'PDF File',
|
'export_pdf' => 'PDF File',
|
||||||
'export_text' => 'Plain Text File',
|
'export_text' => 'Plain Text File',
|
||||||
|
|
||||||
/**
|
// Permissions and restrictions
|
||||||
* Permissions and restrictions
|
|
||||||
*/
|
|
||||||
'permissions' => 'Permissions',
|
'permissions' => 'Permissions',
|
||||||
'permissions_intro' => 'Once enabled, These permissions will take priority over any set role permissions.',
|
'permissions_intro' => 'Once enabled, These permissions will take priority over any set role permissions.',
|
||||||
'permissions_enable' => 'Enable Custom Permissions',
|
'permissions_enable' => 'Enable Custom Permissions',
|
||||||
'permissions_save' => 'Save Permissions',
|
'permissions_save' => 'Save Permissions',
|
||||||
|
|
||||||
/**
|
// Search
|
||||||
* Search
|
|
||||||
*/
|
|
||||||
'search_results' => 'Search Results',
|
'search_results' => 'Search Results',
|
||||||
'search_total_results_found' => ':count result found|:count total results found',
|
'search_total_results_found' => ':count result found|:count total results found',
|
||||||
'search_clear' => 'Clear Search',
|
'search_clear' => 'Clear Search',
|
||||||
@ -66,9 +64,7 @@ return [
|
|||||||
'search_set_date' => 'Set Date',
|
'search_set_date' => 'Set Date',
|
||||||
'search_update' => 'Update Search',
|
'search_update' => 'Update Search',
|
||||||
|
|
||||||
/**
|
// Shelves
|
||||||
* Shelves
|
|
||||||
*/
|
|
||||||
'shelf' => 'Shelf',
|
'shelf' => 'Shelf',
|
||||||
'shelves' => 'Shelves',
|
'shelves' => 'Shelves',
|
||||||
'shelves_long' => 'Bookshelves',
|
'shelves_long' => 'Bookshelves',
|
||||||
@ -98,9 +94,7 @@ return [
|
|||||||
'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_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',
|
'shelves_copy_permission_success' => 'Bookshelf permissions copied to :count books',
|
||||||
|
|
||||||
/**
|
// Books
|
||||||
* Books
|
|
||||||
*/
|
|
||||||
'book' => 'Book',
|
'book' => 'Book',
|
||||||
'books' => 'Books',
|
'books' => 'Books',
|
||||||
'x_books' => ':count Book|:count Books',
|
'x_books' => ':count Book|:count Books',
|
||||||
@ -134,9 +128,7 @@ return [
|
|||||||
'books_sort_show_other' => 'Show Other Books',
|
'books_sort_show_other' => 'Show Other Books',
|
||||||
'books_sort_save' => 'Save New Order',
|
'books_sort_save' => 'Save New Order',
|
||||||
|
|
||||||
/**
|
// Chapters
|
||||||
* Chapters
|
|
||||||
*/
|
|
||||||
'chapter' => 'Chapter',
|
'chapter' => 'Chapter',
|
||||||
'chapters' => 'Chapters',
|
'chapters' => 'Chapters',
|
||||||
'x_chapters' => ':count Chapter|:count Chapters',
|
'x_chapters' => ':count Chapter|:count Chapters',
|
||||||
@ -159,9 +151,7 @@ return [
|
|||||||
'chapters_permissions_success' => 'Chapter Permissions Updated',
|
'chapters_permissions_success' => 'Chapter Permissions Updated',
|
||||||
'chapters_search_this' => 'Search this chapter',
|
'chapters_search_this' => 'Search this chapter',
|
||||||
|
|
||||||
/**
|
// Pages
|
||||||
* Pages
|
|
||||||
*/
|
|
||||||
'page' => 'Page',
|
'page' => 'Page',
|
||||||
'pages' => 'Pages',
|
'pages' => 'Pages',
|
||||||
'x_pages' => ':count Page|:count Pages',
|
'x_pages' => ':count Page|:count Pages',
|
||||||
@ -235,9 +225,7 @@ return [
|
|||||||
'pages_draft_discarded' => 'Draft discarded, The editor has been updated with the current page content',
|
'pages_draft_discarded' => 'Draft discarded, The editor has been updated with the current page content',
|
||||||
'pages_specific' => 'Specific Page',
|
'pages_specific' => 'Specific Page',
|
||||||
|
|
||||||
/**
|
// Editor Sidebar
|
||||||
* Editor sidebar
|
|
||||||
*/
|
|
||||||
'page_tags' => 'Page Tags',
|
'page_tags' => 'Page Tags',
|
||||||
'chapter_tags' => 'Chapter Tags',
|
'chapter_tags' => 'Chapter Tags',
|
||||||
'book_tags' => 'Book Tags',
|
'book_tags' => 'Book Tags',
|
||||||
@ -273,18 +261,14 @@ return [
|
|||||||
'attachments_file_updated' => 'File successfully updated',
|
'attachments_file_updated' => 'File successfully updated',
|
||||||
'attachments_link_attached' => 'Link successfully attached to page',
|
'attachments_link_attached' => 'Link successfully attached to page',
|
||||||
|
|
||||||
/**
|
// Profile View
|
||||||
* Profile View
|
|
||||||
*/
|
|
||||||
'profile_user_for_x' => 'User for :time',
|
'profile_user_for_x' => 'User for :time',
|
||||||
'profile_created_content' => 'Created Content',
|
'profile_created_content' => 'Created Content',
|
||||||
'profile_not_created_pages' => ':userName has not created any pages',
|
'profile_not_created_pages' => ':userName has not created any pages',
|
||||||
'profile_not_created_chapters' => ':userName has not created any chapters',
|
'profile_not_created_chapters' => ':userName has not created any chapters',
|
||||||
'profile_not_created_books' => ':userName has not created any books',
|
'profile_not_created_books' => ':userName has not created any books',
|
||||||
|
|
||||||
/**
|
// Comments
|
||||||
* Comments
|
|
||||||
*/
|
|
||||||
'comment' => 'Comment',
|
'comment' => 'Comment',
|
||||||
'comments' => 'Comments',
|
'comments' => 'Comments',
|
||||||
'comment_add' => 'Add Comment',
|
'comment_add' => 'Add Comment',
|
||||||
@ -302,9 +286,7 @@ return [
|
|||||||
'comment_delete_confirm' => 'Are you sure you want to delete this comment?',
|
'comment_delete_confirm' => 'Are you sure you want to delete this comment?',
|
||||||
'comment_in_reply_to' => 'In reply to :commentId',
|
'comment_in_reply_to' => 'In reply to :commentId',
|
||||||
|
|
||||||
/**
|
// Revision
|
||||||
* Revision
|
|
||||||
*/
|
|
||||||
'revision_delete_confirm' => 'Are you sure you want to delete this revision?',
|
'revision_delete_confirm' => 'Are you sure you want to delete this revision?',
|
||||||
'revision_delete_success' => 'Revision deleted',
|
'revision_delete_success' => 'Revision deleted',
|
||||||
'revision_cannot_delete_latest' => 'Cannot delete the latest revision.'
|
'revision_cannot_delete_latest' => 'Cannot delete the latest revision.'
|
||||||
|
@ -1,11 +1,9 @@
|
|||||||
<?php
|
<?php
|
||||||
|
/**
|
||||||
|
* Text shown in error messaging.
|
||||||
|
*/
|
||||||
return [
|
return [
|
||||||
|
|
||||||
/**
|
|
||||||
* Error text strings.
|
|
||||||
*/
|
|
||||||
|
|
||||||
// Permissions
|
// Permissions
|
||||||
'permission' => 'You do not have permission to access the requested page.',
|
'permission' => 'You do not have permission to access the requested page.',
|
||||||
'permissionJson' => 'You do not have permission to perform the requested action.',
|
'permissionJson' => 'You do not have permission to perform the requested action.',
|
||||||
@ -81,4 +79,5 @@ return [
|
|||||||
'error_occurred' => 'An Error Occurred',
|
'error_occurred' => 'An Error Occurred',
|
||||||
'app_down' => ':appName is down right now',
|
'app_down' => ':appName is down right now',
|
||||||
'back_soon' => 'It will be back up soon.',
|
'back_soon' => 'It will be back up soon.',
|
||||||
|
|
||||||
];
|
];
|
||||||
|
@ -1,18 +1,11 @@
|
|||||||
<?php
|
<?php
|
||||||
|
/**
|
||||||
|
* Pagination Language Lines
|
||||||
|
* The following language lines are used by the paginator library to build
|
||||||
|
* the simple pagination links.
|
||||||
|
*/
|
||||||
return [
|
return [
|
||||||
|
|
||||||
/*
|
|
||||||
|--------------------------------------------------------------------------
|
|
||||||
| Pagination Language Lines
|
|
||||||
|--------------------------------------------------------------------------
|
|
||||||
|
|
|
||||||
| The following language lines are used by the paginator library to build
|
|
||||||
| the simple pagination links. You are free to change them to anything
|
|
||||||
| you want to customize your views to better match your application.
|
|
||||||
|
|
|
||||||
*/
|
|
||||||
|
|
||||||
'previous' => '« Previous',
|
'previous' => '« Previous',
|
||||||
'next' => 'Next »',
|
'next' => 'Next »',
|
||||||
|
|
||||||
|
@ -1,18 +1,11 @@
|
|||||||
<?php
|
<?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 [
|
return [
|
||||||
|
|
||||||
/*
|
|
||||||
|--------------------------------------------------------------------------
|
|
||||||
| 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, such as for an invalid token or invalid new password.
|
|
||||||
|
|
|
||||||
*/
|
|
||||||
|
|
||||||
'password' => 'Passwords must be at least six characters and match the confirmation.',
|
'password' => 'Passwords must be at least six characters and match the confirmation.',
|
||||||
'user' => "We can't find a user with that e-mail address.",
|
'user' => "We can't find a user with that e-mail address.",
|
||||||
'token' => 'This password reset token is invalid.',
|
'token' => 'This password reset token is invalid.',
|
||||||
|
@ -1,21 +1,17 @@
|
|||||||
<?php
|
<?php
|
||||||
|
/**
|
||||||
|
* Settings text strings
|
||||||
|
* Contains all text strings used in the general settings sections of BookStack
|
||||||
|
* including users and roles.
|
||||||
|
*/
|
||||||
return [
|
return [
|
||||||
|
|
||||||
/**
|
// Common Messages
|
||||||
* Settings text strings
|
|
||||||
* Contains all text strings used in the general settings sections of BookStack
|
|
||||||
* including users and roles.
|
|
||||||
*/
|
|
||||||
|
|
||||||
'settings' => 'Settings',
|
'settings' => 'Settings',
|
||||||
'settings_save' => 'Save Settings',
|
'settings_save' => 'Save Settings',
|
||||||
'settings_save_success' => 'Settings saved',
|
'settings_save_success' => 'Settings saved',
|
||||||
|
|
||||||
/**
|
// App Settings
|
||||||
* App settings
|
|
||||||
*/
|
|
||||||
|
|
||||||
'app_settings' => 'App Settings',
|
'app_settings' => 'App Settings',
|
||||||
'app_name' => 'Application name',
|
'app_name' => 'Application name',
|
||||||
'app_name_desc' => 'This name is shown in the header and any emails.',
|
'app_name_desc' => 'This name is shown in the header and any emails.',
|
||||||
@ -37,10 +33,7 @@ return [
|
|||||||
'app_disable_comments' => 'Disable comments',
|
'app_disable_comments' => 'Disable comments',
|
||||||
'app_disable_comments_desc' => 'Disable comments across all pages in the application. Existing comments are not shown.',
|
'app_disable_comments_desc' => 'Disable comments across all pages in the application. Existing comments are not shown.',
|
||||||
|
|
||||||
/**
|
// Registration Settings
|
||||||
* Registration settings
|
|
||||||
*/
|
|
||||||
|
|
||||||
'reg_settings' => 'Registration Settings',
|
'reg_settings' => 'Registration Settings',
|
||||||
'reg_allow' => 'Allow registration?',
|
'reg_allow' => 'Allow registration?',
|
||||||
'reg_default_role' => 'Default user role after registration',
|
'reg_default_role' => 'Default user role after registration',
|
||||||
@ -50,10 +43,7 @@ return [
|
|||||||
'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_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',
|
'reg_confirm_restrict_domain_placeholder' => 'No restriction set',
|
||||||
|
|
||||||
/**
|
// Maintenance settings
|
||||||
* Maintenance settings
|
|
||||||
*/
|
|
||||||
|
|
||||||
'maint' => 'Maintenance',
|
'maint' => 'Maintenance',
|
||||||
'maint_image_cleanup' => 'Cleanup Images',
|
'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_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.",
|
||||||
@ -63,10 +53,7 @@ return [
|
|||||||
'maint_image_cleanup_success' => ':count potentially unused images found and deleted!',
|
'maint_image_cleanup_success' => ':count potentially unused images found and deleted!',
|
||||||
'maint_image_cleanup_nothing_found' => 'No unused images found, Nothing deleted!',
|
'maint_image_cleanup_nothing_found' => 'No unused images found, Nothing deleted!',
|
||||||
|
|
||||||
/**
|
// Role Settings
|
||||||
* Role settings
|
|
||||||
*/
|
|
||||||
|
|
||||||
'roles' => 'Roles',
|
'roles' => 'Roles',
|
||||||
'role_user_roles' => 'User Roles',
|
'role_user_roles' => 'User Roles',
|
||||||
'role_create' => 'Create New Role',
|
'role_create' => 'Create New Role',
|
||||||
@ -99,10 +86,7 @@ return [
|
|||||||
'role_users' => 'Users in this role',
|
'role_users' => 'Users in this role',
|
||||||
'role_users_none' => 'No users are currently assigned to this role',
|
'role_users_none' => 'No users are currently assigned to this role',
|
||||||
|
|
||||||
/**
|
// Users
|
||||||
* Users
|
|
||||||
*/
|
|
||||||
|
|
||||||
'users' => 'Users',
|
'users' => 'Users',
|
||||||
'user_profile' => 'User Profile',
|
'user_profile' => 'User Profile',
|
||||||
'users_add_new' => 'Add New User',
|
'users_add_new' => 'Add New User',
|
||||||
@ -129,14 +113,15 @@ return [
|
|||||||
'users_social_connected' => ':socialAccount account was successfully attached to your profile.',
|
'users_social_connected' => ':socialAccount account was successfully attached to your profile.',
|
||||||
'users_social_disconnected' => ':socialAccount account was successfully disconnected from your profile.',
|
'users_social_disconnected' => ':socialAccount account was successfully disconnected from your profile.',
|
||||||
|
|
||||||
// Since these labels are already localized this array does not need to be
|
//! Since these labels are already localized this array does not need to be
|
||||||
// translated in the language-specific files.
|
//! translated in the language-specific files.
|
||||||
// DELETE BELOW IF COPIED FROM EN
|
//! DELETE BELOW IF COPIED FROM EN
|
||||||
///////////////////////////////////
|
//!////////////////////////////////
|
||||||
'language_select' => [
|
'language_select' => [
|
||||||
'en' => 'English',
|
'en' => 'English',
|
||||||
'ar' => 'العربية',
|
'ar' => 'العربية',
|
||||||
'de' => 'Deutsch',
|
'de' => 'Deutsch (Sie)',
|
||||||
|
'de_informal' => 'Deutsch (Du)',
|
||||||
'es' => 'Español',
|
'es' => 'Español',
|
||||||
'es_AR' => 'Español Argentina',
|
'es_AR' => 'Español Argentina',
|
||||||
'fr' => 'Français',
|
'fr' => 'Français',
|
||||||
@ -149,8 +134,9 @@ return [
|
|||||||
'pl' => 'Polski',
|
'pl' => 'Polski',
|
||||||
'it' => 'Italian',
|
'it' => 'Italian',
|
||||||
'ru' => 'Русский',
|
'ru' => 'Русский',
|
||||||
|
'uk' => 'Українська',
|
||||||
'zh_CN' => '简体中文',
|
'zh_CN' => '简体中文',
|
||||||
'zh_TW' => '繁體中文'
|
'zh_TW' => '繁體中文'
|
||||||
]
|
]
|
||||||
///////////////////////////////////
|
//!////////////////////////////////
|
||||||
];
|
];
|
||||||
|
@ -1,18 +1,13 @@
|
|||||||
<?php
|
<?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 [
|
return [
|
||||||
|
|
||||||
/*
|
// Standard laravel validation lines
|
||||||
|--------------------------------------------------------------------------
|
|
||||||
| Validation Language 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.
|
|
||||||
|
|
|
||||||
*/
|
|
||||||
|
|
||||||
'accepted' => 'The :attribute must be accepted.',
|
'accepted' => 'The :attribute must be accepted.',
|
||||||
'active_url' => 'The :attribute is not a valid URL.',
|
'active_url' => 'The :attribute is not a valid URL.',
|
||||||
'after' => 'The :attribute must be a date after :date.',
|
'after' => 'The :attribute must be a date after :date.',
|
||||||
@ -75,34 +70,13 @@ return [
|
|||||||
'unique' => 'The :attribute has already been taken.',
|
'unique' => 'The :attribute has already been taken.',
|
||||||
'url' => 'The :attribute format is invalid.',
|
'url' => 'The :attribute format is invalid.',
|
||||||
|
|
||||||
/*
|
// Custom validation lines
|
||||||
|--------------------------------------------------------------------------
|
|
||||||
| Custom Validation Language Lines
|
|
||||||
|--------------------------------------------------------------------------
|
|
||||||
|
|
|
||||||
| Here you may specify custom validation messages for attributes using the
|
|
||||||
| convention "attribute.rule" to name the lines. This makes it quick to
|
|
||||||
| specify a specific custom language line for a given attribute rule.
|
|
||||||
|
|
|
||||||
*/
|
|
||||||
|
|
||||||
'custom' => [
|
'custom' => [
|
||||||
'password-confirm' => [
|
'password-confirm' => [
|
||||||
'required_with' => 'Password confirmation required',
|
'required_with' => 'Password confirmation required',
|
||||||
],
|
],
|
||||||
],
|
],
|
||||||
|
|
||||||
/*
|
// Custom validation attributes
|
||||||
|--------------------------------------------------------------------------
|
|
||||||
| Custom Validation Attributes
|
|
||||||
|--------------------------------------------------------------------------
|
|
||||||
|
|
|
||||||
| The following language lines are used to swap attribute place-holders
|
|
||||||
| with something more reader friendly such as E-Mail Address instead
|
|
||||||
| of "email". This simply helps us make messages a little cleaner.
|
|
||||||
|
|
|
||||||
*/
|
|
||||||
|
|
||||||
'attributes' => [],
|
'attributes' => [],
|
||||||
|
|
||||||
];
|
];
|
||||||
|
@ -37,6 +37,14 @@ return [
|
|||||||
'book_sort' => 'libro ordenado',
|
'book_sort' => 'libro ordenado',
|
||||||
'book_sort_notification' => 'Libro reordenado exitosamente',
|
'book_sort_notification' => 'Libro reordenado exitosamente',
|
||||||
|
|
||||||
|
// Bookshelves
|
||||||
|
'bookshelf_create' => 'Estante creado',
|
||||||
|
'bookshelf_create_notification' => 'Estante creado exitosamente',
|
||||||
|
'bookshelf_update' => 'Estante actualizado',
|
||||||
|
'bookshelf_update_notification' => 'Estante actualizado exitosamente',
|
||||||
|
'bookshelf_delete' => 'Estante borrado',
|
||||||
|
'bookshelf_delete_notification' => 'Estante borrado exitosamente',
|
||||||
|
|
||||||
// Other
|
// Other
|
||||||
'commented_on' => 'comentado',
|
'commented_on' => 'comentado',
|
||||||
];
|
];
|
||||||
|
@ -52,6 +52,7 @@ return [
|
|||||||
'details' => 'Detalles',
|
'details' => 'Detalles',
|
||||||
"grid_view" => "Vista de grilla",
|
"grid_view" => "Vista de grilla",
|
||||||
"list_view" => "Vista de lista",
|
"list_view" => "Vista de lista",
|
||||||
|
'default' => 'Por defecto',
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Header
|
* Header
|
||||||
|
@ -52,11 +52,13 @@ return [
|
|||||||
'search_content_type' => 'Tipo de contenido',
|
'search_content_type' => 'Tipo de contenido',
|
||||||
'search_exact_matches' => 'Coincidencias exactas',
|
'search_exact_matches' => 'Coincidencias exactas',
|
||||||
'search_tags' => 'Búsquedas de etiquetas',
|
'search_tags' => 'Búsquedas de etiquetas',
|
||||||
|
'search_options' => 'Opciones',
|
||||||
'search_viewed_by_me' => 'Vistos por mí',
|
'search_viewed_by_me' => 'Vistos por mí',
|
||||||
'search_not_viewed_by_me' => 'No vistos por mí',
|
'search_not_viewed_by_me' => 'No vistos por mí',
|
||||||
'search_permissions_set' => 'Permisos establecidos',
|
'search_permissions_set' => 'Permisos establecidos',
|
||||||
'search_created_by_me' => 'Creado por mí',
|
'search_created_by_me' => 'Creado por mí',
|
||||||
'search_updated_by_me' => 'Actualizado por mí',
|
'search_updated_by_me' => 'Actualizado por mí',
|
||||||
|
'search_date_options' => 'Opciones de fecha',
|
||||||
'search_updated_before' => 'Actualizado antes de',
|
'search_updated_before' => 'Actualizado antes de',
|
||||||
'search_updated_after' => 'Actualizado después de',
|
'search_updated_after' => 'Actualizado después de',
|
||||||
'search_created_before' => 'Creado antes de',
|
'search_created_before' => 'Creado antes de',
|
||||||
@ -64,6 +66,38 @@ return [
|
|||||||
'search_set_date' => 'Esablecer fecha',
|
'search_set_date' => 'Esablecer fecha',
|
||||||
'search_update' => 'Actualizar búsqueda',
|
'search_update' => 'Actualizar búsqueda',
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Shelves
|
||||||
|
*/
|
||||||
|
'shelf' => 'Estante',
|
||||||
|
'shelves' => 'Estantes',
|
||||||
|
'shelves_long' => 'Estantes de libros',
|
||||||
|
'shelves_empty' => 'No se crearon estantes',
|
||||||
|
'shelves_create' => 'Crear un estante nuevo',
|
||||||
|
'shelves_popular' => 'Estantes Populares',
|
||||||
|
'shelves_new' => 'Estantes Nuevos',
|
||||||
|
'shelves_popular_empty' => 'Los estantes más populares aparecerán aquí.',
|
||||||
|
'shelves_new_empty' => 'Los estantes mas nuevos aparecerán aquí.',
|
||||||
|
'shelves_save' => 'Guardar estantes',
|
||||||
|
'shelves_books' => 'Libros en este estante',
|
||||||
|
'shelves_add_books' => 'Agregar libros en este estante',
|
||||||
|
'shelves_drag_books' => 'Arrastre los libros aquí para agregarlos a este estante',
|
||||||
|
'shelves_empty_contents' => 'Este estante no tiene libros asignados a él',
|
||||||
|
'shelves_edit_and_assign' => 'Editar el estante para asignar libros',
|
||||||
|
'shelves_edit_named' => 'Editar Estante :name',
|
||||||
|
'shelves_edit' => 'Editar Estante',
|
||||||
|
'shelves_delete' => 'Eliminar Estante',
|
||||||
|
'shelves_delete_named' => 'Eliminar Estante :name',
|
||||||
|
'shelves_delete_explain' => "Esta acción eliminará el estante con el nombre ':name'. Los libros contenidos en él no se eliminarán.",
|
||||||
|
'shelves_delete_confirmation' => '¿Está seguro que quiere eliminar este estante?',
|
||||||
|
'shelves_permissions' => 'Permisos del Estante',
|
||||||
|
'shelves_permissions_updated' => 'Permisos del Estante actualizados',
|
||||||
|
'shelves_permissions_active' => 'Permisos Activos del Estante',
|
||||||
|
'shelves_copy_permissions_to_books' => 'Copiar Permisos a los Libros',
|
||||||
|
'shelves_copy_permissions' => 'Copiar Permisos',
|
||||||
|
'shelves_copy_permissions_explain' => 'Esta acción aplicará los permisos de este estante a todos los libros contenidos en él. Antes de activarlos, asegúrese que los cambios a los permisos de este estante estén guardados.',
|
||||||
|
'shelves_copy_permission_success' => 'Se copiaron los permisos del estante a :count libros',
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Books
|
* Books
|
||||||
*/
|
*/
|
||||||
@ -199,6 +233,8 @@ return [
|
|||||||
'message' => ':start :time. Ten cuidado de no sobreescribir los cambios del otro usuario',
|
'message' => ':start :time. Ten cuidado de no sobreescribir los cambios del otro usuario',
|
||||||
],
|
],
|
||||||
'pages_draft_discarded' => 'Borrador descartado, el editor ha sido actualizado con el contenido de la página actual',
|
'pages_draft_discarded' => 'Borrador descartado, el editor ha sido actualizado con el contenido de la página actual',
|
||||||
|
'pages_specific' => 'Página Específica',
|
||||||
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Editor sidebar
|
* Editor sidebar
|
||||||
@ -206,6 +242,7 @@ return [
|
|||||||
'page_tags' => 'Etiquetas de página',
|
'page_tags' => 'Etiquetas de página',
|
||||||
'chapter_tags' => 'Etiquetas de capítulo',
|
'chapter_tags' => 'Etiquetas de capítulo',
|
||||||
'book_tags' => 'Etiquetas de libro',
|
'book_tags' => 'Etiquetas de libro',
|
||||||
|
'shelf_tags' => 'Shelf Tags',
|
||||||
'tag' => 'Etiqueta',
|
'tag' => 'Etiqueta',
|
||||||
'tags' => 'Etiquetas',
|
'tags' => 'Etiquetas',
|
||||||
'tag_value' => 'Valor de la etiqueta (Opcional)',
|
'tag_value' => 'Valor de la etiqueta (Opcional)',
|
||||||
|
@ -50,6 +50,7 @@ return [
|
|||||||
|
|
||||||
// Entities
|
// Entities
|
||||||
'entity_not_found' => 'Entidad no encontrada',
|
'entity_not_found' => 'Entidad no encontrada',
|
||||||
|
'bookshelf_not_found' => 'Estante no encontrado',
|
||||||
'book_not_found' => 'Libro no encontrado',
|
'book_not_found' => 'Libro no encontrado',
|
||||||
'page_not_found' => 'Página no encontrada',
|
'page_not_found' => 'Página no encontrada',
|
||||||
'chapter_not_found' => 'Capítulo no encontrado',
|
'chapter_not_found' => 'Capítulo no encontrado',
|
||||||
|
@ -33,8 +33,7 @@ return [
|
|||||||
'app_primary_color_desc' => 'Esto debería ser un valor hexadecimal. <br>Deje el valor vacío para reiniciar al valor por defecto.',
|
'app_primary_color_desc' => 'Esto debería ser un valor hexadecimal. <br>Deje el valor vacío para reiniciar al valor por defecto.',
|
||||||
'app_homepage' => 'Página de inicio de la Aplicación',
|
'app_homepage' => 'Página de inicio de la Aplicación',
|
||||||
'app_homepage_desc' => 'Seleccione una página de inicio para mostrar en lugar de la vista por defecto. Se ignoran los permisos de página para las páginas seleccionadas.',
|
'app_homepage_desc' => 'Seleccione una página de inicio para mostrar en lugar de la vista por defecto. Se ignoran los permisos de página para las páginas seleccionadas.',
|
||||||
'app_homepage_default' => 'Página de inicio por defecto seleccionadad',
|
'app_homepage_select' => 'Seleccione una página',
|
||||||
'app_homepage_books' => 'O seleccione la página de libros como su página de inicio. Esto tendrá preferencia sobre cualquier página seleccionada como página de inicio.',
|
|
||||||
'app_disable_comments' => 'Deshabilitar comentarios',
|
'app_disable_comments' => 'Deshabilitar comentarios',
|
||||||
'app_disable_comments_desc' => 'Deshabilitar comentarios en todas las páginas de la aplicación. Los comentarios existentes no se muestran.',
|
'app_disable_comments_desc' => 'Deshabilitar comentarios en todas las páginas de la aplicación. Los comentarios existentes no se muestran.',
|
||||||
|
|
||||||
@ -91,6 +90,7 @@ return [
|
|||||||
'role_manage_settings' => 'Gestionar ajustes de activos',
|
'role_manage_settings' => 'Gestionar ajustes de activos',
|
||||||
'role_asset' => 'Permisos 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.',
|
'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.',
|
||||||
|
'role_asset_admins' => 'Los administradores reciben automáticamente acceso a todo el contenido pero estas opciones pueden mostrar u ocultar opciones de UI.',
|
||||||
'role_all' => 'Todo',
|
'role_all' => 'Todo',
|
||||||
'role_own' => 'Propio',
|
'role_own' => 'Propio',
|
||||||
'role_controlled_by_asset' => 'Controlado por el activo al que ha sido subido',
|
'role_controlled_by_asset' => 'Controlado por el activo al que ha sido subido',
|
||||||
|
330
resources/lang/format.php
Executable file
330
resources/lang/format.php
Executable file
@ -0,0 +1,330 @@
|
|||||||
|
#!/usr/bin/env php
|
||||||
|
<?php
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Format a language file in the same way as the EN equivalent.
|
||||||
|
* Matches the line numbers of translated content.
|
||||||
|
* Potentially destructive, Ensure you have a backup of your translation content before running.
|
||||||
|
*/
|
||||||
|
|
||||||
|
$args = array_slice($argv, 1);
|
||||||
|
|
||||||
|
if (count($args) < 2) {
|
||||||
|
errorOut("Please provide a language code as the first argument and a translation file name, or '--all', as the second (./format.php fr activities)");
|
||||||
|
}
|
||||||
|
|
||||||
|
$lang = formatLocale($args[0]);
|
||||||
|
$fileName = explode('.', $args[1])[0];
|
||||||
|
$fileNames = [$fileName];
|
||||||
|
if ($fileName === '--all') {
|
||||||
|
$fileNames = getTranslationFileNames();
|
||||||
|
}
|
||||||
|
|
||||||
|
foreach ($fileNames as $fileName) {
|
||||||
|
$formatted = formatFileContents($lang, $fileName);
|
||||||
|
writeLangFile($lang, $fileName, $formatted);
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Format the contents of a single translation file in the given language.
|
||||||
|
* @param string $lang
|
||||||
|
* @param string $fileName
|
||||||
|
* @return string
|
||||||
|
*/
|
||||||
|
function formatFileContents(string $lang, string $fileName) : string {
|
||||||
|
$enLines = loadLangFileLines('en', $fileName);
|
||||||
|
$langContent = loadLang($lang, $fileName);
|
||||||
|
$enContent = loadLang('en', $fileName);
|
||||||
|
|
||||||
|
// Calculate the longest top-level key length
|
||||||
|
$longestKeyLength = calculateKeyPadding($enContent);
|
||||||
|
|
||||||
|
// Start formatted content
|
||||||
|
$formatted = [];
|
||||||
|
$mode = 'header';
|
||||||
|
$skipArray = false;
|
||||||
|
$arrayKeys = [];
|
||||||
|
|
||||||
|
foreach ($enLines as $index => $line) {
|
||||||
|
$trimLine = trim($line);
|
||||||
|
if ($mode === 'header') {
|
||||||
|
$formatted[$index] = $line;
|
||||||
|
if (str_replace(' ', '', $trimLine) === 'return[') $mode = 'body';
|
||||||
|
}
|
||||||
|
|
||||||
|
if ($mode === 'body') {
|
||||||
|
$matches = [];
|
||||||
|
$arrayEndMatch = preg_match('/]\s*,\s*$/', $trimLine);
|
||||||
|
|
||||||
|
if ($skipArray) {
|
||||||
|
if ($arrayEndMatch) $skipArray = false;
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Comment to ignore
|
||||||
|
if (strpos($trimLine, '//!') === 0) {
|
||||||
|
$formatted[$index] = "";
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Comment
|
||||||
|
if (strpos($trimLine, '//') === 0) {
|
||||||
|
$formatted[$index] = "\t" . $trimLine;
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Arrays
|
||||||
|
$arrayStartMatch = preg_match('/^\'(.*)\'\s+?=>\s+?\[(\],)?\s*?$/', $trimLine, $matches);
|
||||||
|
|
||||||
|
$indent = count($arrayKeys) + 1;
|
||||||
|
if ($arrayStartMatch === 1) {
|
||||||
|
if ($fileName === 'settings' && $matches[1] === 'language_select') {
|
||||||
|
$skipArray = true;
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
$arrayKeys[] = $matches[1];
|
||||||
|
$formatted[$index] = str_repeat(" ", $indent * 4) . str_pad("'{$matches[1]}'", $longestKeyLength) . "=> [";
|
||||||
|
if ($arrayEndMatch !== 1) continue;
|
||||||
|
}
|
||||||
|
if ($arrayEndMatch === 1) {
|
||||||
|
unsetArrayByKeys($langContent, $arrayKeys);
|
||||||
|
array_pop($arrayKeys);
|
||||||
|
if (isset($formatted[$index])) {
|
||||||
|
$formatted[$index] .= '],';
|
||||||
|
} else {
|
||||||
|
$formatted[$index] = str_repeat(" ", ($indent-1) * 4) . "],";
|
||||||
|
}
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Translation
|
||||||
|
$translationMatch = preg_match('/^\'(.*)\'\s+?=>\s+?[\'"](.*)?[\'"].+?$/', $trimLine, $matches);
|
||||||
|
if ($translationMatch === 1) {
|
||||||
|
$key = $matches[1];
|
||||||
|
$keys = array_merge($arrayKeys, [$key]);
|
||||||
|
$langVal = getTranslationByKeys($langContent, $keys);
|
||||||
|
if (empty($langVal)) continue;
|
||||||
|
|
||||||
|
$keyPad = $longestKeyLength;
|
||||||
|
if (count($arrayKeys) === 0) {
|
||||||
|
unset($langContent[$key]);
|
||||||
|
} else {
|
||||||
|
$keyPad = calculateKeyPadding(getTranslationByKeys($enContent, $arrayKeys));
|
||||||
|
}
|
||||||
|
|
||||||
|
$formatted[$index] = formatTranslationLine($key, $langVal, $indent, $keyPad);
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
||||||
|
|
||||||
|
// Fill missing lines
|
||||||
|
$arraySize = max(array_keys($formatted));
|
||||||
|
$formatted = array_replace(array_fill(0, $arraySize, ''), $formatted);
|
||||||
|
|
||||||
|
// Add remaining translations
|
||||||
|
$langContent = array_filter($langContent, function($item) {
|
||||||
|
return !is_null($item) && !empty($item);
|
||||||
|
});
|
||||||
|
if (count($langContent) > 0) {
|
||||||
|
$formatted[] = '';
|
||||||
|
$formatted[] = "\t// Unmatched";
|
||||||
|
}
|
||||||
|
foreach ($langContent as $key => $value) {
|
||||||
|
if (is_array($value)) {
|
||||||
|
$formatted[] = formatTranslationArray($key, $value);
|
||||||
|
} else {
|
||||||
|
$formatted[] = formatTranslationLine($key, $value);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Add end line
|
||||||
|
$formatted[] = '];';
|
||||||
|
return implode("\n", $formatted);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Format a translation line.
|
||||||
|
* @param string $key
|
||||||
|
* @param string $value
|
||||||
|
* @param int $indent
|
||||||
|
* @param int $keyPad
|
||||||
|
* @return string
|
||||||
|
*/
|
||||||
|
function formatTranslationLine(string $key, string $value, int $indent = 1, int $keyPad = 1) : string {
|
||||||
|
$start = str_repeat(" ", $indent * 4) . str_pad("'{$key}'", $keyPad, ' ');
|
||||||
|
if (strpos($value, "\n") !== false) {
|
||||||
|
$escapedValue = '"' . str_replace("\n", '\n', $value) . '"';
|
||||||
|
$escapedValue = '"' . str_replace('"', '\"', $escapedValue) . '"';
|
||||||
|
} else {
|
||||||
|
$escapedValue = "'" . str_replace("'", "\\'", $value) . "'";
|
||||||
|
}
|
||||||
|
return "{$start} => {$escapedValue},";
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Find the longest key in the array and provide the length
|
||||||
|
* for all keys to be used when printed.
|
||||||
|
* @param array $array
|
||||||
|
* @return int
|
||||||
|
*/
|
||||||
|
function calculateKeyPadding(array $array) : int {
|
||||||
|
$top = 0;
|
||||||
|
foreach ($array as $key => $value) {
|
||||||
|
$keyLen = strlen($key);
|
||||||
|
$top = max($top, $keyLen);
|
||||||
|
}
|
||||||
|
return min(35, $top + 2);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Format an translation array with the given key.
|
||||||
|
* Simply prints as an old-school php array.
|
||||||
|
* Used as a last-resort backup to save unused translations.
|
||||||
|
* @param string $key
|
||||||
|
* @param array $array
|
||||||
|
* @return string
|
||||||
|
*/
|
||||||
|
function formatTranslationArray(string $key, array $array) : string {
|
||||||
|
$arrayPHP = var_export($array, true);
|
||||||
|
return " '{$key}' => {$arrayPHP},";
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Find a string translation value within a multi-dimensional array
|
||||||
|
* by traversing the given array of keys.
|
||||||
|
* @param array $translations
|
||||||
|
* @param array $keys
|
||||||
|
* @return string|array
|
||||||
|
*/
|
||||||
|
function getTranslationByKeys(array $translations, array $keys) {
|
||||||
|
$val = $translations;
|
||||||
|
foreach ($keys as $key) {
|
||||||
|
$val = $val[$key] ?? '';
|
||||||
|
if ($val === '') return '';
|
||||||
|
}
|
||||||
|
return $val;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Unset an inner item of a multi-dimensional array by
|
||||||
|
* traversing the given array of keys.
|
||||||
|
* @param array $input
|
||||||
|
* @param array $keys
|
||||||
|
*/
|
||||||
|
function unsetArrayByKeys(array &$input, array $keys) {
|
||||||
|
$val = &$input;
|
||||||
|
$lastIndex = count($keys) - 1;
|
||||||
|
foreach ($keys as $index => &$key) {
|
||||||
|
if ($index === $lastIndex && is_array($val)) {
|
||||||
|
unset($val[$key]);
|
||||||
|
}
|
||||||
|
if (!is_array($val)) return;
|
||||||
|
$val = &$val[$key] ?? [];
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Write the given content to a translation file.
|
||||||
|
* @param string $lang
|
||||||
|
* @param string $fileName
|
||||||
|
* @param string $content
|
||||||
|
*/
|
||||||
|
function writeLangFile(string $lang, string $fileName, string $content) {
|
||||||
|
$path = __DIR__ . "/{$lang}/{$fileName}.php";
|
||||||
|
if (!file_exists($path)) {
|
||||||
|
errorOut("Expected translation file '{$path}' does not exist");
|
||||||
|
}
|
||||||
|
file_put_contents($path, $content);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Load the contents of a language file as an array of text lines.
|
||||||
|
* @param string $lang
|
||||||
|
* @param string $fileName
|
||||||
|
* @return array
|
||||||
|
*/
|
||||||
|
function loadLangFileLines(string $lang, string $fileName) : array {
|
||||||
|
$path = __DIR__ . "/{$lang}/{$fileName}.php";
|
||||||
|
if (!file_exists($path)) {
|
||||||
|
errorOut("Expected translation file '{$path}' does not exist");
|
||||||
|
}
|
||||||
|
$lines = explode("\n", file_get_contents($path));
|
||||||
|
return array_map(function($line) {
|
||||||
|
return trim($line, "\r");
|
||||||
|
}, $lines);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Load the contents of a language file
|
||||||
|
* @param string $lang
|
||||||
|
* @param string $fileName
|
||||||
|
* @return array
|
||||||
|
*/
|
||||||
|
function loadLang(string $lang, string $fileName) : array {
|
||||||
|
$path = __DIR__ . "/{$lang}/{$fileName}.php";
|
||||||
|
if (!file_exists($path)) {
|
||||||
|
errorOut("Expected translation file '{$path}' does not exist");
|
||||||
|
}
|
||||||
|
|
||||||
|
$fileData = include($path);
|
||||||
|
return $fileData;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Fetch an array containing the names of all translation files without the extension.
|
||||||
|
* @return array
|
||||||
|
*/
|
||||||
|
function getTranslationFileNames() : array {
|
||||||
|
$dir = __DIR__ . "/en";
|
||||||
|
if (!file_exists($dir)) {
|
||||||
|
errorOut("Expected directory '{$dir}' does not exist");
|
||||||
|
}
|
||||||
|
$files = scandir($dir);
|
||||||
|
$fileNames = [];
|
||||||
|
foreach ($files as $file) {
|
||||||
|
if (substr($file, -4) === '.php') {
|
||||||
|
$fileNames[] = substr($file, 0, strlen($file) - 4);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return $fileNames;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Format a locale to follow the lowercase_UPERCASE standard
|
||||||
|
* @param string $lang
|
||||||
|
* @return string
|
||||||
|
*/
|
||||||
|
function formatLocale(string $lang) : string {
|
||||||
|
$langParts = explode('_', strtoupper($lang));
|
||||||
|
$langParts[0] = strtolower($langParts[0]);
|
||||||
|
return implode('_', $langParts);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Dump a variable then die.
|
||||||
|
* @param $content
|
||||||
|
*/
|
||||||
|
function dd($content) {
|
||||||
|
print_r($content);
|
||||||
|
exit(1);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Log out some information text in blue
|
||||||
|
* @param $text
|
||||||
|
*/
|
||||||
|
function info($text) {
|
||||||
|
echo "\e[34m" . $text . "\e[0m\n";
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Log out an error in red and exit.
|
||||||
|
* @param $text
|
||||||
|
*/
|
||||||
|
function errorOut($text) {
|
||||||
|
echo "\e[31m" . $text . "\e[0m\n";
|
||||||
|
exit(1);
|
||||||
|
}
|
@ -15,7 +15,7 @@ return [
|
|||||||
'page_delete' => 'usunięto stronę',
|
'page_delete' => 'usunięto stronę',
|
||||||
'page_delete_notification' => 'Strona usunięta pomyślnie',
|
'page_delete_notification' => 'Strona usunięta pomyślnie',
|
||||||
'page_restore' => 'przywrócono stronę',
|
'page_restore' => 'przywrócono stronę',
|
||||||
'page_restore_notification' => 'Stronga przywrócona pomyślnie',
|
'page_restore_notification' => 'Strona przywrócona pomyślnie',
|
||||||
'page_move' => 'przeniesiono stronę',
|
'page_move' => 'przeniesiono stronę',
|
||||||
|
|
||||||
// Chapters
|
// Chapters
|
||||||
@ -28,13 +28,23 @@ return [
|
|||||||
'chapter_move' => 'przeniesiono rozdział',
|
'chapter_move' => 'przeniesiono rozdział',
|
||||||
|
|
||||||
// Books
|
// Books
|
||||||
'book_create' => 'utworzono księgę',
|
'book_create' => 'utworzono podręcznik',
|
||||||
'book_create_notification' => 'Księga utworzona pomyślnie',
|
'book_create_notification' => 'Podręcznik utworzony pomyślnie',
|
||||||
'book_update' => 'zaktualizowano księgę',
|
'book_update' => 'zaktualizowano podręcznik',
|
||||||
'book_update_notification' => 'Księga zaktualizowana pomyślnie',
|
'book_update_notification' => 'Podręcznik zaktualizowany pomyślnie',
|
||||||
'book_delete' => 'usunięto księgę',
|
'book_delete' => 'usunięto podręcznik',
|
||||||
'book_delete_notification' => 'Księga usunięta pomyślnie',
|
'book_delete_notification' => 'Podręcznik usunięty pomyślnie',
|
||||||
'book_sort' => 'posortowano księgę',
|
'book_sort' => 'posortowano podręcznik',
|
||||||
'book_sort_notification' => 'Księga posortowana pomyślnie',
|
'book_sort_notification' => 'Podręcznik posortowany pomyślnie',
|
||||||
|
|
||||||
|
// Bookshelves
|
||||||
|
'bookshelf_create' => 'utworzono półkę',
|
||||||
|
'bookshelf_create_notification' => 'Półka utworzona pomyślnie',
|
||||||
|
'bookshelf_update' => 'zaktualizowano półkę',
|
||||||
|
'bookshelf_update_notification' => 'Półka zaktualizowana pomyślnie',
|
||||||
|
'bookshelf_delete' => 'usunięto półkę',
|
||||||
|
'bookshelf_delete_notification' => 'Półka usunięta pomyślnie',
|
||||||
|
|
||||||
|
// Other
|
||||||
|
'commented_on' => 'skomentował',
|
||||||
];
|
];
|
||||||
|
@ -10,8 +10,8 @@ return [
|
|||||||
| these language lines according to your application's requirements.
|
| these language lines according to your application's requirements.
|
||||||
|
|
|
|
||||||
*/
|
*/
|
||||||
'failed' => 'These credentials do not match our records.',
|
'failed' => 'Wprowadzone poświadczenia są nieprawidłowe.',
|
||||||
'throttle' => 'Too many login attempts. Please try again in :seconds seconds.',
|
'throttle' => 'Zbyt wiele prób logowania. Spróbuj ponownie za :seconds s.',
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Login & Register
|
* Login & Register
|
||||||
@ -24,13 +24,13 @@ return [
|
|||||||
|
|
||||||
'name' => 'Imię',
|
'name' => 'Imię',
|
||||||
'username' => 'Nazwa użytkownika',
|
'username' => 'Nazwa użytkownika',
|
||||||
'email' => 'Email',
|
'email' => 'E-mail',
|
||||||
'password' => 'Hasło',
|
'password' => 'Hasło',
|
||||||
'password_confirm' => 'Potwierdzenie hasła',
|
'password_confirm' => 'Potwierdzenie hasła',
|
||||||
'password_hint' => 'Musi mieć więcej niż 5 znaków',
|
'password_hint' => 'Musi mieć więcej niż 5 znaków',
|
||||||
'forgot_password' => 'Przypomnij hasło',
|
'forgot_password' => 'Zapomniałem hasła',
|
||||||
'remember_me' => 'Zapamiętaj mnie',
|
'remember_me' => 'Zapamiętaj mnie',
|
||||||
'ldap_email_hint' => 'Wprowadź adres email dla tego konta.',
|
'ldap_email_hint' => 'Wprowadź adres e-mail dla tego konta.',
|
||||||
'create_account' => 'Utwórz konto',
|
'create_account' => 'Utwórz konto',
|
||||||
'social_login' => 'Logowanie za pomocą konta społecznościowego',
|
'social_login' => 'Logowanie za pomocą konta społecznościowego',
|
||||||
'social_registration' => 'Rejestracja za pomocą konta społecznościowego',
|
'social_registration' => 'Rejestracja za pomocą konta społecznościowego',
|
||||||
@ -40,7 +40,7 @@ return [
|
|||||||
'register_confirm' => 'Sprawdź podany adres e-mail i kliknij w link, by uzyskać dostęp do :appName.',
|
'register_confirm' => 'Sprawdź podany adres e-mail i kliknij w link, by uzyskać dostęp do :appName.',
|
||||||
'registrations_disabled' => 'Rejestracja jest obecnie zablokowana.',
|
'registrations_disabled' => 'Rejestracja jest obecnie zablokowana.',
|
||||||
'registration_email_domain_invalid' => 'Adresy e-mail z tej domeny nie mają dostępu do tej aplikacji',
|
'registration_email_domain_invalid' => 'Adresy e-mail z tej domeny nie mają dostępu do tej aplikacji',
|
||||||
'register_success' => 'Dziękujemy za rejestrację! Zalogowano Cię automatycznie.',
|
'register_success' => 'Dziękujemy za rejestrację! Zostałeś zalogowany automatycznie.',
|
||||||
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -60,17 +60,17 @@ return [
|
|||||||
/**
|
/**
|
||||||
* Email Confirmation
|
* Email Confirmation
|
||||||
*/
|
*/
|
||||||
'email_confirm_subject' => 'Potwierdź swój adres email w :appName',
|
'email_confirm_subject' => 'Potwierdź swój adres e-mail w :appName',
|
||||||
'email_confirm_greeting' => 'Dziękujemy za dołączenie do :appName!',
|
'email_confirm_greeting' => 'Dziękujemy za dołączenie do :appName!',
|
||||||
'email_confirm_text' => 'Prosimy byś potwierdził swoje hasło klikając przycisk poniżej:',
|
'email_confirm_text' => 'Prosimy byś potwierdził swoje hasło klikając przycisk poniżej:',
|
||||||
'email_confirm_action' => 'Potwierdź email',
|
'email_confirm_action' => 'Potwierdź e-mail',
|
||||||
'email_confirm_send_error' => 'Wymagane jest potwierdzenie hasła, lecz wiadomość nie mogła zostać wysłana. Skontaktuj się z administratorem w celu upewnienia się, że skrzynka została skonfigurowana prawidłowo.',
|
'email_confirm_send_error' => 'Wymagane jest potwierdzenie hasła, lecz wiadomość nie mogła zostać wysłana. Skontaktuj się z administratorem w celu upewnienia się, że skrzynka została skonfigurowana prawidłowo.',
|
||||||
'email_confirm_success' => 'Adres email został potwierdzony!',
|
'email_confirm_success' => 'Adres e-mail został potwierdzony!',
|
||||||
'email_confirm_resent' => 'Wiadomość potwierdzająca została wysłana, sprawdź swoją skrzynkę.',
|
'email_confirm_resent' => 'E-mail z potwierdzeniem został wysłany ponownie, sprawdź swoją skrzynkę odbiorczą.',
|
||||||
|
|
||||||
'email_not_confirmed' => 'Adres email niepotwierdzony',
|
'email_not_confirmed' => 'Adres e-mail nie został potwierdzony',
|
||||||
'email_not_confirmed_text' => 'Twój adres email nie został jeszcze potwierdzony.',
|
'email_not_confirmed_text' => 'Twój adres e-mail nie został jeszcze potwierdzony.',
|
||||||
'email_not_confirmed_click_link' => 'Aby potwierdzić swoje konto kliknij w link wysłany w wiadomości po rejestracji.',
|
'email_not_confirmed_click_link' => 'Aby potwierdzić swoje konto kliknij w link wysłany w wiadomości po rejestracji.',
|
||||||
'email_not_confirmed_resend' => 'Jeśli wiadomość do Ciebie nie dotarła możesz wysłać ją ponownie wypełniając formularz poniżej.',
|
'email_not_confirmed_resend' => 'Jeśli wiadomość do Ciebie nie dotarła możesz wysłać ją ponownie wypełniając formularz poniżej.',
|
||||||
'email_not_confirmed_resend_button' => 'Wyślij ponownie wiadomość z potwierdzeniem',
|
'email_not_confirmed_resend_button' => 'Wyślij ponownie wiadomość z potwierdzeniem',
|
||||||
];
|
];
|
||||||
|
@ -19,7 +19,7 @@ return [
|
|||||||
'description' => 'Opis',
|
'description' => 'Opis',
|
||||||
'role' => 'Rola',
|
'role' => 'Rola',
|
||||||
'cover_image' => 'Zdjęcie z okładki',
|
'cover_image' => 'Zdjęcie z okładki',
|
||||||
'cover_image_description' => 'Ten obraz powinien wynosić około 300 x 170 piksli.',
|
'cover_image_description' => 'Ten obraz powinien posiadać wymiary około 440x250px.',
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Actions
|
* Actions
|
||||||
@ -31,6 +31,8 @@ return [
|
|||||||
'edit' => 'Edytuj',
|
'edit' => 'Edytuj',
|
||||||
'sort' => 'Sortuj',
|
'sort' => 'Sortuj',
|
||||||
'move' => 'Przenieś',
|
'move' => 'Przenieś',
|
||||||
|
'copy' => 'Skopiuj',
|
||||||
|
'reply' => 'Odpowiedz',
|
||||||
'delete' => 'Usuń',
|
'delete' => 'Usuń',
|
||||||
'search' => 'Szukaj',
|
'search' => 'Szukaj',
|
||||||
'search_clear' => 'Wyczyść wyszukiwanie',
|
'search_clear' => 'Wyczyść wyszukiwanie',
|
||||||
@ -38,12 +40,11 @@ return [
|
|||||||
'remove' => 'Usuń',
|
'remove' => 'Usuń',
|
||||||
'add' => 'Dodaj',
|
'add' => 'Dodaj',
|
||||||
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Misc
|
* Misc
|
||||||
*/
|
*/
|
||||||
'deleted_user' => 'Użytkownik usunięty',
|
'deleted_user' => 'Użytkownik usunięty',
|
||||||
'no_activity' => 'Brak aktywności do pokazania',
|
'no_activity' => 'Brak aktywności do wyświetlenia',
|
||||||
'no_items' => 'Brak elementów do wyświetlenia',
|
'no_items' => 'Brak elementów do wyświetlenia',
|
||||||
'back_to_top' => 'Powrót na górę',
|
'back_to_top' => 'Powrót na górę',
|
||||||
'toggle_details' => 'Włącz/wyłącz szczegóły',
|
'toggle_details' => 'Włącz/wyłącz szczegóły',
|
||||||
@ -51,6 +52,7 @@ return [
|
|||||||
'details' => 'Szczegóły',
|
'details' => 'Szczegóły',
|
||||||
'grid_view' => 'Widok kafelkowy',
|
'grid_view' => 'Widok kafelkowy',
|
||||||
'list_view' => 'Widok listy',
|
'list_view' => 'Widok listy',
|
||||||
|
'default' => 'Domyślny',
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Header
|
* Header
|
||||||
@ -63,4 +65,4 @@ return [
|
|||||||
*/
|
*/
|
||||||
'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:',
|
'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:',
|
||||||
'email_rights' => 'Wszelkie prawa zastrzeżone',
|
'email_rights' => 'Wszelkie prawa zastrzeżone',
|
||||||
];
|
];
|
||||||
|
@ -7,21 +7,22 @@ return [
|
|||||||
'image_select' => 'Wybór obrazka',
|
'image_select' => 'Wybór obrazka',
|
||||||
'image_all' => 'Wszystkie',
|
'image_all' => 'Wszystkie',
|
||||||
'image_all_title' => 'Zobacz wszystkie obrazki',
|
'image_all_title' => 'Zobacz wszystkie obrazki',
|
||||||
'image_book_title' => 'Zobacz obrazki zapisane w tej księdze',
|
'image_book_title' => 'Zobacz obrazki zapisane w tym podręczniku',
|
||||||
'image_page_title' => 'Zobacz obrazki zapisane na tej stronie',
|
'image_page_title' => 'Zobacz obrazki zapisane na tej stronie',
|
||||||
'image_search_hint' => 'Szukaj po nazwie obrazka',
|
'image_search_hint' => 'Szukaj po nazwie obrazka',
|
||||||
'image_uploaded' => 'Udostępniono :uploadedDate',
|
'image_uploaded' => 'Przesłano :uploadedDate',
|
||||||
'image_load_more' => 'Wczytaj więcej',
|
'image_load_more' => 'Wczytaj więcej',
|
||||||
'image_image_name' => 'Nazwa obrazka',
|
'image_image_name' => 'Nazwa obrazka',
|
||||||
'image_delete_used' => 'Ten obrazek jest używany na stronach poniżej.',
|
'image_delete_used' => 'Ten obrazek jest używany na stronach wyświetlonych poniżej.',
|
||||||
'image_delete_confirm' => 'Kliknij ponownie Usuń by potwierdzić usunięcie obrazka.',
|
'image_delete_confirm' => 'Kliknij ponownie Usuń by potwierdzić usunięcie obrazka.',
|
||||||
'image_select_image' => 'Wybierz obrazek',
|
'image_select_image' => 'Wybierz obrazek',
|
||||||
'image_dropzone' => 'Upuść obrazki tutaj lub kliknij by wybrać obrazki do udostępnienia',
|
'image_dropzone' => 'Upuść obrazki tutaj lub kliknij by wybrać obrazki do przesłania',
|
||||||
'images_deleted' => 'Usunięte obrazki',
|
'images_deleted' => 'Usunięte obrazki',
|
||||||
'image_preview' => 'Podgląd obrazka',
|
'image_preview' => 'Podgląd obrazka',
|
||||||
'image_upload_success' => 'Obrazek wysłany pomyślnie',
|
'image_upload_success' => 'Obrazek przesłany pomyślnie',
|
||||||
'image_update_success' => 'Szczegóły obrazka zaktualizowane pomyślnie',
|
'image_update_success' => 'Szczegóły obrazka zaktualizowane pomyślnie',
|
||||||
'image_delete_success' => 'Obrazek usunięty pomyślnie',
|
'image_delete_success' => 'Obrazek usunięty pomyślnie',
|
||||||
|
'image_upload_remove' => 'Usuń',
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Code editor
|
* Code editor
|
||||||
@ -30,4 +31,4 @@ return [
|
|||||||
'code_language' => 'Język kodu',
|
'code_language' => 'Język kodu',
|
||||||
'code_content' => 'Zawartość kodu',
|
'code_content' => 'Zawartość kodu',
|
||||||
'code_save' => 'Zapisz kod',
|
'code_save' => 'Zapisz kod',
|
||||||
];
|
];
|
||||||
|
@ -8,23 +8,23 @@ return [
|
|||||||
'recently_created_pages' => 'Ostatnio utworzone strony',
|
'recently_created_pages' => 'Ostatnio utworzone strony',
|
||||||
'recently_updated_pages' => 'Ostatnio zaktualizowane strony',
|
'recently_updated_pages' => 'Ostatnio zaktualizowane strony',
|
||||||
'recently_created_chapters' => 'Ostatnio utworzone rozdziały',
|
'recently_created_chapters' => 'Ostatnio utworzone rozdziały',
|
||||||
'recently_created_books' => 'Ostatnio utworzone księgi',
|
'recently_created_books' => 'Ostatnio utworzone podręczniki',
|
||||||
'recently_update' => 'Ostatnio zaktualizowane',
|
'recently_update' => 'Ostatnio zaktualizowane',
|
||||||
'recently_viewed' => 'Ostatnio wyświetlane',
|
'recently_viewed' => 'Ostatnio wyświetlane',
|
||||||
'recent_activity' => 'Ostatnia aktywność',
|
'recent_activity' => 'Ostatnia aktywność',
|
||||||
'create_now' => 'Utwórz teraz',
|
'create_now' => 'Utwórz teraz',
|
||||||
'revisions' => 'Rewizje',
|
'revisions' => 'Wersje',
|
||||||
'meta_revision' => 'Rewizja #:revisionCount',
|
'meta_revision' => 'Wersja #:revisionCount',
|
||||||
'meta_created' => 'Utworzono :timeLength',
|
'meta_created' => 'Utworzono :timeLength',
|
||||||
'meta_created_name' => 'Utworzono :timeLength przez :user',
|
'meta_created_name' => 'Utworzono :timeLength przez :user',
|
||||||
'meta_updated' => 'Zaktualizowano :timeLength',
|
'meta_updated' => 'Zaktualizowano :timeLength',
|
||||||
'meta_updated_name' => 'Zaktualizowano :timeLength przez :user',
|
'meta_updated_name' => 'Zaktualizowano :timeLength przez :user',
|
||||||
'x_pages' => ':count stron',
|
'x_pages' => ':count stron',
|
||||||
'entity_select' => 'Wybór encji',
|
'entity_select' => 'Wybór obiektu',
|
||||||
'images' => 'Obrazki',
|
'images' => 'Obrazki',
|
||||||
'my_recent_drafts' => 'Moje ostatnie szkice',
|
'my_recent_drafts' => 'Moje ostatnie wersje robocze',
|
||||||
'my_recently_viewed' => 'Moje ostatnio wyświetlane',
|
'my_recently_viewed' => 'Moje ostatnio wyświetlane',
|
||||||
'no_pages_viewed' => 'Nie wyświetlano żadnych stron',
|
'no_pages_viewed' => 'Nie przeglądałeś jeszcze żadnych stron',
|
||||||
'no_pages_recently_created' => 'Nie utworzono ostatnio żadnych stron',
|
'no_pages_recently_created' => 'Nie utworzono ostatnio żadnych stron',
|
||||||
'no_pages_recently_updated' => 'Nie zaktualizowano ostatnio żadnych stron',
|
'no_pages_recently_updated' => 'Nie zaktualizowano ostatnio żadnych stron',
|
||||||
'export' => 'Eksportuj',
|
'export' => 'Eksportuj',
|
||||||
@ -36,8 +36,8 @@ return [
|
|||||||
* Permissions and restrictions
|
* Permissions and restrictions
|
||||||
*/
|
*/
|
||||||
'permissions' => 'Uprawnienia',
|
'permissions' => 'Uprawnienia',
|
||||||
'permissions_intro' => 'Jeśli odblokowane, te uprawnienia będą miały priorytet względem pozostałych ustawionych uprawnień ról.',
|
'permissions_intro' => 'Jeśli włączone są indywidualne uprawnienia, to te uprawnienia będą miały priorytet względem pozostałych ustawionych uprawnień ról.',
|
||||||
'permissions_enable' => 'Odblokuj własne uprawnienia',
|
'permissions_enable' => 'Włącz własne uprawnienia',
|
||||||
'permissions_save' => 'Zapisz uprawnienia',
|
'permissions_save' => 'Zapisz uprawnienia',
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -50,54 +50,90 @@ return [
|
|||||||
'search_for_term' => 'Szukaj :term',
|
'search_for_term' => 'Szukaj :term',
|
||||||
'search_more' => 'Więcej wyników',
|
'search_more' => 'Więcej wyników',
|
||||||
'search_filters' => 'Filtry wyszukiwania',
|
'search_filters' => 'Filtry wyszukiwania',
|
||||||
'search_content_type' => 'Rodziaj treści',
|
'search_content_type' => 'Rodzaj treści',
|
||||||
'search_exact_matches' => 'Dokładne frazy',
|
'search_exact_matches' => 'Dokładne frazy',
|
||||||
'search_tags' => 'Tagi wyszukiwania',
|
'search_tags' => 'Tagi wyszukiwania',
|
||||||
|
'search_options' => 'Opcje',
|
||||||
'search_viewed_by_me' => 'Wyświetlone przeze mnie',
|
'search_viewed_by_me' => 'Wyświetlone przeze mnie',
|
||||||
'search_not_viewed_by_me' => 'Niewyświetlone przeze mnie',
|
'search_not_viewed_by_me' => 'Niewyświetlone przeze mnie',
|
||||||
'search_permissions_set' => 'Zbiór uprawnień',
|
'search_permissions_set' => 'Zbiór uprawnień',
|
||||||
'search_created_by_me' => 'Utworzone przeze mnie',
|
'search_created_by_me' => 'Utworzone przeze mnie',
|
||||||
'search_updated_by_me' => 'Zaktualizowane przeze mnie',
|
'search_updated_by_me' => 'Zaktualizowane przeze mnie',
|
||||||
|
'search_date_options' => 'Opcje dat',
|
||||||
'search_updated_before' => 'Zaktualizowane przed',
|
'search_updated_before' => 'Zaktualizowane przed',
|
||||||
'search_updated_after' => 'Zaktualizowane po',
|
'search_updated_after' => 'Zaktualizowane po',
|
||||||
'search_created_before' => 'Utworzone przed',
|
'search_created_before' => 'Utworzone przed',
|
||||||
'search_created_after' => 'Utworzone po',
|
'search_created_after' => 'Utworzone po',
|
||||||
'search_set_date' => 'Ustaw datę',
|
'search_set_date' => 'Ustaw datę',
|
||||||
'search_update' => 'Zaktualizuj wyszukiwanie',
|
'search_update' => 'Zaktualizuj wyszukiwanie',
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Shelves
|
||||||
|
*/
|
||||||
|
'shelf' => 'Półka',
|
||||||
|
'shelves' => 'Półki',
|
||||||
|
'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_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_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_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' => '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',
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Books
|
* Books
|
||||||
*/
|
*/
|
||||||
'book' => 'Księga',
|
'book' => 'Podręcznik',
|
||||||
'books' => 'Księgi',
|
'books' => 'Podręczniki',
|
||||||
'x_books' => ':count Księga|:count Księgi',
|
'x_books' => ':count Podręcznik|:count Podręczniki',
|
||||||
'books_empty' => 'Brak utworzonych ksiąg',
|
'books_empty' => 'Brak utworzonych podręczników',
|
||||||
'books_popular' => 'Popularne księgi',
|
'books_popular' => 'Popularne podręczniki',
|
||||||
'books_recent' => 'Ostatnie księgi',
|
'books_recent' => 'Ostatnie podręczniki',
|
||||||
'books_popular_empty' => 'Najbardziej popularne księgi zostaną wyświetlone w tym miejscu.',
|
'books_new' => 'Nowe podręczniki',
|
||||||
'books_create' => 'Utwórz księgę',
|
'books_popular_empty' => 'Najpopularniejsze podręczniki pojawią się w tym miejscu.',
|
||||||
'books_delete' => 'Usuń księgę',
|
'books_new_empty' => 'Tutaj pojawią się ostatnio utworzone podręczniki.',
|
||||||
'books_delete_named' => 'Usuń księgę :bookName',
|
'books_create' => 'Utwórz podręcznik',
|
||||||
'books_delete_explain' => 'To spowoduje usunięcie księgi \':bookName\', Wszystkie strony i rozdziały zostaną usunięte.',
|
'books_delete' => 'Usuń podręcznik',
|
||||||
'books_delete_confirmation' => 'Czy na pewno chcesz usunąc tę księgę?',
|
'books_delete_named' => 'Usuń podręcznik :bookName',
|
||||||
'books_edit' => 'Edytuj księgę',
|
'books_delete_explain' => 'To spowoduje usunięcie podręcznika \':bookName\', Wszystkie strony i rozdziały zostaną usunięte.',
|
||||||
'books_edit_named' => 'Edytuj księgę :bookName',
|
'books_delete_confirmation' => 'Czy na pewno chcesz usunąc ten podręcznik?',
|
||||||
'books_form_book_name' => 'Nazwa księgi',
|
'books_edit' => 'Edytuj podręcznik',
|
||||||
'books_save' => 'Zapisz księgę',
|
'books_edit_named' => 'Edytuj podręcznik :bookName',
|
||||||
'books_permissions' => 'Uprawnienia księgi',
|
'books_form_book_name' => 'Nazwa podręcznika',
|
||||||
'books_permissions_updated' => 'Zaktualizowano uprawnienia księgi',
|
'books_save' => 'Zapisz podręcznik',
|
||||||
'books_empty_contents' => 'Brak stron lub rozdziałów w tej księdze.',
|
'books_permissions' => 'Uprawnienia podręcznika',
|
||||||
|
'books_permissions_updated' => 'Zaktualizowano uprawnienia podręcznika',
|
||||||
|
'books_empty_contents' => 'Brak stron lub rozdziałów w tym podręczniku.',
|
||||||
'books_empty_create_page' => 'Utwórz nową stronę',
|
'books_empty_create_page' => 'Utwórz nową stronę',
|
||||||
'books_empty_or' => 'lub',
|
'books_empty_or' => 'lub',
|
||||||
'books_empty_sort_current_book' => 'posortuj bieżącą księgę',
|
'books_empty_sort_current_book' => 'posortuj bieżący podręcznik',
|
||||||
'books_empty_add_chapter' => 'Dodaj rozdział',
|
'books_empty_add_chapter' => 'Dodaj rozdział',
|
||||||
'books_permissions_active' => 'Uprawnienia księgi aktywne',
|
'books_permissions_active' => 'Uprawnienia podręcznika są aktywne',
|
||||||
'books_search_this' => 'Wyszukaj w tej księdze',
|
'books_search_this' => 'Wyszukaj w tym podręczniku',
|
||||||
'books_navigation' => 'Nawigacja po księdze',
|
'books_navigation' => 'Nawigacja po podręczniku',
|
||||||
'books_sort' => 'Sortuj zawartość Księgi',
|
'books_sort' => 'Sortuj zawartość podręcznika',
|
||||||
'books_sort_named' => 'Sortuj księgę :bookName',
|
'books_sort_named' => 'Sortuj podręcznik :bookName',
|
||||||
'books_sort_show_other' => 'Pokaż inne księgi',
|
'books_sort_show_other' => 'Pokaż inne podręczniki',
|
||||||
'books_sort_save' => 'Zapisz nowy porządek',
|
'books_sort_save' => 'Zapisz nową kolejność',
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Chapters
|
* Chapters
|
||||||
@ -111,7 +147,7 @@ return [
|
|||||||
'chapters_delete' => 'Usuń rozdział',
|
'chapters_delete' => 'Usuń rozdział',
|
||||||
'chapters_delete_named' => 'Usuń rozdział :chapterName',
|
'chapters_delete_named' => 'Usuń rozdział :chapterName',
|
||||||
'chapters_delete_explain' => 'To spowoduje usunięcie rozdziału \':chapterName\', Wszystkie strony zostaną usunięte
|
'chapters_delete_explain' => 'To spowoduje usunięcie rozdziału \':chapterName\', Wszystkie strony zostaną usunięte
|
||||||
i dodane bezpośrednio do księgi macierzystej.',
|
i dodane bezpośrednio do podręcznika nadrzędnego.',
|
||||||
'chapters_delete_confirm' => 'Czy na pewno chcesz usunąć ten rozdział?',
|
'chapters_delete_confirm' => 'Czy na pewno chcesz usunąć ten rozdział?',
|
||||||
'chapters_edit' => 'Edytuj rozdział',
|
'chapters_edit' => 'Edytuj rozdział',
|
||||||
'chapters_edit_named' => 'Edytuj rozdział :chapterName',
|
'chapters_edit_named' => 'Edytuj rozdział :chapterName',
|
||||||
@ -121,7 +157,7 @@ return [
|
|||||||
'chapter_move_success' => 'Rozdział przeniesiony do :bookName',
|
'chapter_move_success' => 'Rozdział przeniesiony do :bookName',
|
||||||
'chapters_permissions' => 'Uprawienia rozdziału',
|
'chapters_permissions' => 'Uprawienia rozdziału',
|
||||||
'chapters_empty' => 'Brak stron w tym rozdziale.',
|
'chapters_empty' => 'Brak stron w tym rozdziale.',
|
||||||
'chapters_permissions_active' => 'Uprawnienia rozdziału aktywne',
|
'chapters_permissions_active' => 'Uprawnienia rozdziału są aktywne',
|
||||||
'chapters_permissions_success' => 'Zaktualizowano uprawnienia rozdziału',
|
'chapters_permissions_success' => 'Zaktualizowano uprawnienia rozdziału',
|
||||||
'chapters_search_this' => 'Przeszukaj ten rozdział',
|
'chapters_search_this' => 'Przeszukaj ten rozdział',
|
||||||
|
|
||||||
@ -136,84 +172,93 @@ return [
|
|||||||
'pages_navigation' => 'Nawigacja po stronie',
|
'pages_navigation' => 'Nawigacja po stronie',
|
||||||
'pages_delete' => 'Usuń stronę',
|
'pages_delete' => 'Usuń stronę',
|
||||||
'pages_delete_named' => 'Usuń stronę :pageName',
|
'pages_delete_named' => 'Usuń stronę :pageName',
|
||||||
'pages_delete_draft_named' => 'Usuń szkic strony :pageName',
|
'pages_delete_draft_named' => 'Usuń wersje robocze dla strony :pageName',
|
||||||
'pages_delete_draft' => 'Usuń szkic strony',
|
'pages_delete_draft' => 'Usuń wersje roboczą',
|
||||||
'pages_delete_success' => 'Strona usunięta pomyślnie',
|
'pages_delete_success' => 'Strona usunięta pomyślnie',
|
||||||
'pages_delete_draft_success' => 'Szkic strony usunięty pomyślnie',
|
'pages_delete_draft_success' => 'Werjsa robocza usunięta pomyślnie',
|
||||||
'pages_delete_confirm' => 'Czy na pewno chcesz usunąć tę stron?',
|
'pages_delete_confirm' => 'Czy na pewno chcesz usunąć tę stronę?',
|
||||||
'pages_delete_draft_confirm' => 'Czy na pewno chcesz usunąć szkic strony?',
|
'pages_delete_draft_confirm' => 'Czy na pewno chcesz usunąć wersje roboczą strony?',
|
||||||
'pages_editing_named' => 'Edytowanie strony :pageName',
|
'pages_editing_named' => 'Edytowanie strony :pageName',
|
||||||
'pages_edit_toggle_header' => 'Włącz/wyłącz nagłówek',
|
'pages_edit_toggle_header' => 'Włącz/wyłącz nagłówek',
|
||||||
'pages_edit_save_draft' => 'Zapisz szkic',
|
'pages_edit_save_draft' => 'Zapisano wersje roboczą o ',
|
||||||
'pages_edit_draft' => 'Edytuj szkic strony',
|
'pages_edit_draft' => 'Edytuj wersje roboczą',
|
||||||
'pages_editing_draft' => 'Edytowanie szkicu strony',
|
'pages_editing_draft' => 'Edytowanie wersji roboczej',
|
||||||
'pages_editing_page' => 'Edytowanie strony',
|
'pages_editing_page' => 'Edytowanie strony',
|
||||||
'pages_edit_draft_save_at' => 'Szkic zapisany ',
|
'pages_edit_draft_save_at' => 'Wersja robocza zapisana ',
|
||||||
'pages_edit_delete_draft' => 'Usuń szkic',
|
'pages_edit_delete_draft' => 'Usuń wersje roboczą',
|
||||||
'pages_edit_discard_draft' => 'Porzuć szkic',
|
'pages_edit_discard_draft' => 'Porzuć wersje roboczą',
|
||||||
'pages_edit_set_changelog' => 'Ustaw log zmian',
|
'pages_edit_set_changelog' => 'Ustaw dziennik zmian',
|
||||||
'pages_edit_enter_changelog_desc' => 'Opisz zmiany, które zostały wprowadzone',
|
'pages_edit_enter_changelog_desc' => 'Opisz zmiany, które zostały wprowadzone',
|
||||||
'pages_edit_enter_changelog' => 'Wyświetl log zmian',
|
'pages_edit_enter_changelog' => 'Wyświetl dziennik zmian',
|
||||||
'pages_save' => 'Zapisz stronę',
|
'pages_save' => 'Zapisz stronę',
|
||||||
'pages_title' => 'Tytuł strony',
|
'pages_title' => 'Tytuł strony',
|
||||||
'pages_name' => 'Nazwa strony',
|
'pages_name' => 'Nazwa strony',
|
||||||
'pages_md_editor' => 'Edytor',
|
'pages_md_editor' => 'Edytor',
|
||||||
'pages_md_preview' => 'Podgląd',
|
'pages_md_preview' => 'Podgląd',
|
||||||
'pages_md_insert_image' => 'Wstaw obrazek',
|
'pages_md_insert_image' => 'Wstaw obrazek',
|
||||||
'pages_md_insert_link' => 'Wstaw łącze do encji',
|
'pages_md_insert_link' => 'Wstaw łącze do obiektu',
|
||||||
|
'pages_md_insert_drawing' => 'Wstaw rysunek',
|
||||||
'pages_not_in_chapter' => 'Strona nie została umieszczona w rozdziale',
|
'pages_not_in_chapter' => 'Strona nie została umieszczona w rozdziale',
|
||||||
'pages_move' => 'Przenieś stronę',
|
'pages_move' => 'Przenieś stronę',
|
||||||
'pages_move_success' => 'Strona przeniesiona do ":parentName"',
|
'pages_move_success' => 'Strona przeniesiona do ":parentName"',
|
||||||
|
'pages_copy' => 'Skopiuj stronę',
|
||||||
|
'pages_copy_desination' => 'Skopiuj do',
|
||||||
|
'pages_copy_success' => 'Strona została pomyślnie skopiowana',
|
||||||
'pages_permissions' => 'Uprawnienia strony',
|
'pages_permissions' => 'Uprawnienia strony',
|
||||||
'pages_permissions_success' => 'Zaktualizowano uprawnienia strony',
|
'pages_permissions_success' => 'Zaktualizowano uprawnienia strony',
|
||||||
'pages_revisions' => 'Rewizje strony',
|
'pages_revision' => 'Wersja',
|
||||||
'pages_revisions_named' => 'Rewizje strony :pageName',
|
'pages_revisions' => 'Wersje strony',
|
||||||
'pages_revision_named' => 'Rewizja stroony :pageName',
|
'pages_revisions_named' => 'Wersje strony :pageName',
|
||||||
|
'pages_revision_named' => 'Wersja strony :pageName',
|
||||||
'pages_revisions_created_by' => 'Utworzona przez',
|
'pages_revisions_created_by' => 'Utworzona przez',
|
||||||
'pages_revisions_date' => 'Data rewizji',
|
'pages_revisions_date' => 'Data wersji',
|
||||||
'pages_revisions_number' => '#',
|
'pages_revisions_number' => '#',
|
||||||
'pages_revisions_changelog' => 'Log zmian',
|
'pages_revisions_changelog' => 'Dziennik zmian',
|
||||||
'pages_revisions_changes' => 'Zmiany',
|
'pages_revisions_changes' => 'Zmiany',
|
||||||
'pages_revisions_current' => 'Obecna wersja',
|
'pages_revisions_current' => 'Obecna wersja',
|
||||||
'pages_revisions_preview' => 'Podgląd',
|
'pages_revisions_preview' => 'Podgląd',
|
||||||
'pages_revisions_restore' => 'Przywróć',
|
'pages_revisions_restore' => 'Przywróć',
|
||||||
'pages_revisions_none' => 'Ta strona nie posiada żadnych rewizji',
|
'pages_revisions_none' => 'Ta strona nie posiada żadnych wersji',
|
||||||
'pages_copy_link' => 'Kopiuj link',
|
'pages_copy_link' => 'Kopiuj link',
|
||||||
'pages_edit_content_link' => 'Edytuj zawartość',
|
'pages_edit_content_link' => 'Edytuj zawartość',
|
||||||
'pages_permissions_active' => 'Uprawnienia strony aktywne',
|
'pages_permissions_active' => 'Uprawnienia strony są aktywne',
|
||||||
'pages_initial_revision' => 'Wydanie pierwotne',
|
'pages_initial_revision' => 'Pierwsze wydanie',
|
||||||
'pages_initial_name' => 'Nowa strona',
|
'pages_initial_name' => 'Nowa strona',
|
||||||
'pages_editing_draft_notification' => 'Edytujesz obecnie szkic, który był ostatnio zapisany :timeDiff.',
|
'pages_editing_draft_notification' => 'Edytujesz obecnie wersje roboczą, która była ostatnio zapisana :timeDiff.',
|
||||||
'pages_draft_edited_notification' => 'Od tego czasu ta strona była zmieniana. Zalecane jest odrzucenie tego szkicu.',
|
'pages_draft_edited_notification' => 'Od tego czasu ta strona była zmieniana. Zalecane jest odrzucenie tej wersji roboczej.',
|
||||||
'pages_draft_edit_active' => [
|
'pages_draft_edit_active' => [
|
||||||
'start_a' => ':count użytkowników rozpoczęło edytowanie tej strony',
|
'start_a' => ':count użytkowników rozpoczęło edytowanie tej strony',
|
||||||
'start_b' => ':userName edytuje stronę',
|
'start_b' => ':userName edytuje stronę',
|
||||||
'time_a' => ' od czasu ostatniej edycji',
|
'time_a' => 'od czasu ostatniej edycji',
|
||||||
'time_b' => 'w ciągu ostatnich :minCount minut',
|
'time_b' => 'w ciągu ostatnich :minCount minut',
|
||||||
'message' => ':start :time. Pamiętaj by nie nadpisywać czyichś zmian!',
|
'message' => ':start :time. Pamiętaj by nie nadpisywać czyichś zmian!',
|
||||||
],
|
],
|
||||||
'pages_draft_discarded' => 'Szkic odrzucony, edytor został uzupełniony najnowszą wersją strony',
|
'pages_draft_discarded' => 'Wersja robocza odrzucona, edytor został uzupełniony najnowszą wersją strony',
|
||||||
|
'pages_specific' => 'Określona strona',
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Editor sidebar
|
* Editor sidebar
|
||||||
*/
|
*/
|
||||||
'page_tags' => 'Tagi strony',
|
'page_tags' => 'Tagi strony',
|
||||||
|
'chapter_tags' => 'Tagi rozdziału',
|
||||||
|
'book_tags' => 'Tagi podręcznika',
|
||||||
|
'shelf_tags' => 'Tagi półki',
|
||||||
'tag' => 'Tag',
|
'tag' => 'Tag',
|
||||||
'tags' => '',
|
'tags' => 'Tagi',
|
||||||
'tag_value' => 'Wartość tagu (opcjonalnie)',
|
'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_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_add' => 'Dodaj kolejny tag',
|
||||||
'attachments' => 'Załączniki',
|
'attachments' => 'Załączniki',
|
||||||
'attachments_explain' => 'Udostępnij kilka plików lub załącz link. Będą one widoczne na marginesie strony.',
|
'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_explain_instant_save' => 'Zmiany są zapisywane natychmiastowo.',
|
||||||
'attachments_items' => 'Załączniki',
|
'attachments_items' => 'Załączniki',
|
||||||
'attachments_upload' => 'Dodaj plik',
|
'attachments_upload' => 'Dodaj plik',
|
||||||
'attachments_link' => 'Dodaj link',
|
'attachments_link' => 'Dodaj link',
|
||||||
'attachments_set_link' => 'Ustaw link',
|
'attachments_set_link' => 'Ustaw link',
|
||||||
'attachments_delete_confirm' => 'Kliknij ponownie Usuń by potwierdzić usunięcie załącznika.',
|
'attachments_delete_confirm' => 'Kliknij ponownie Usuń by potwierdzić usunięcie załącznika.',
|
||||||
'attachments_dropzone' => 'Upuść pliki lub kliknij tutaj by udostępnić pliki',
|
'attachments_dropzone' => 'Upuść pliki lub kliknij tutaj by przesłać pliki',
|
||||||
'attachments_no_files' => 'Nie udostępniono plików',
|
'attachments_no_files' => 'Nie przesłano żadnych plików',
|
||||||
'attachments_explain_link' => 'Możesz załączyć link jeśli nie chcesz udostępniać pliku. Może być to link do innej strony lub link do pliku w chmurze.',
|
'attachments_explain_link' => 'Możesz załączyć link jeśli nie chcesz przesyłać pliku. Może być to link do innej strony lub link do pliku w chmurze.',
|
||||||
'attachments_link_name' => 'Nazwa linku',
|
'attachments_link_name' => 'Nazwa linku',
|
||||||
'attachment_link' => 'Link do załącznika',
|
'attachment_link' => 'Link do załącznika',
|
||||||
'attachments_link_url' => 'Link do pliku',
|
'attachments_link_url' => 'Link do pliku',
|
||||||
@ -221,10 +266,10 @@ return [
|
|||||||
'attach' => 'Załącz',
|
'attach' => 'Załącz',
|
||||||
'attachments_edit_file' => 'Edytuj plik',
|
'attachments_edit_file' => 'Edytuj plik',
|
||||||
'attachments_edit_file_name' => 'Nazwa pliku',
|
'attachments_edit_file_name' => 'Nazwa pliku',
|
||||||
'attachments_edit_drop_upload' => 'Upuść pliki lub kliknij tutaj by udostępnić pliki i nadpisać istniejące',
|
'attachments_edit_drop_upload' => 'Upuść pliki lub kliknij tutaj by przesłać pliki i nadpisać istniejące',
|
||||||
'attachments_order_updated' => 'Kolejność załączników zaktualizowana',
|
'attachments_order_updated' => 'Kolejność załączników zaktualizowana',
|
||||||
'attachments_updated_success' => 'Szczegóły załączników zaktualizowane',
|
'attachments_updated_success' => 'Szczegóły załączników zaktualizowane',
|
||||||
'attachments_deleted' => 'Załączniki usunięte',
|
'attachments_deleted' => 'Załącznik usunięty',
|
||||||
'attachments_file_uploaded' => 'Plik załączony pomyślnie',
|
'attachments_file_uploaded' => 'Plik załączony pomyślnie',
|
||||||
'attachments_file_updated' => 'Plik zaktualizowany pomyślnie',
|
'attachments_file_updated' => 'Plik zaktualizowany pomyślnie',
|
||||||
'attachments_link_attached' => 'Link pomyślnie dodany do strony',
|
'attachments_link_attached' => 'Link pomyślnie dodany do strony',
|
||||||
@ -236,7 +281,7 @@ return [
|
|||||||
'profile_created_content' => 'Utworzona zawartość',
|
'profile_created_content' => 'Utworzona zawartość',
|
||||||
'profile_not_created_pages' => ':userName nie utworzył żadnych stron',
|
'profile_not_created_pages' => ':userName nie utworzył żadnych stron',
|
||||||
'profile_not_created_chapters' => ':userName nie utworzył żadnych rozdziałów',
|
'profile_not_created_chapters' => ':userName nie utworzył żadnych rozdziałów',
|
||||||
'profile_not_created_books' => ':userName nie utworzył żadnych ksiąg',
|
'profile_not_created_books' => ':userName nie utworzył żadnych podręczników',
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Comments
|
* Comments
|
||||||
@ -264,4 +309,4 @@ return [
|
|||||||
'revision_delete_confirm' => 'Czy na pewno chcesz usunąć tę wersję?',
|
'revision_delete_confirm' => 'Czy na pewno chcesz usunąć tę wersję?',
|
||||||
'revision_delete_success' => 'Usunięto wersję',
|
'revision_delete_success' => 'Usunięto wersję',
|
||||||
'revision_cannot_delete_latest' => 'Nie można usunąć najnowszej wersji.'
|
'revision_cannot_delete_latest' => 'Nie można usunąć najnowszej wersji.'
|
||||||
];
|
];
|
||||||
|
@ -11,17 +11,18 @@ return [
|
|||||||
'permissionJson' => 'Nie masz uprawnień do wykonania tej akcji.',
|
'permissionJson' => 'Nie masz uprawnień do wykonania tej akcji.',
|
||||||
|
|
||||||
// Auth
|
// Auth
|
||||||
'error_user_exists_different_creds' => 'Użytkownik o adresie :email już istnieje.',
|
'error_user_exists_different_creds' => 'Użytkownik o adresie :email już istnieje, ale używa innych poświadczeń.',
|
||||||
'email_already_confirmed' => 'Email został potwierdzony, spróbuj się zalogować.',
|
'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_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_expired' => 'Ten token potwierdzający wygasł. Wysłaliśmy Ci kolejny.',
|
||||||
'ldap_fail_anonymous' => 'Dostęp LDAP przy użyciu anonimowego powiązania nie powiódł się',
|
'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_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_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',
|
'ldap_cannot_connect' => 'Nie można połączyć z serwerem LDAP, połączenie nie zostało ustanowione',
|
||||||
'social_no_action_defined' => 'Brak zdefiniowanej akcji',
|
'social_no_action_defined' => 'Brak zdefiniowanej akcji',
|
||||||
'social_account_in_use' => 'To konto :socialAccount jest już w użyciu, spróbuj zalogować się za pomocą opcji :socialAccount.',
|
'social_login_bad_response' => "Podczas próby logowania :socialAccount wystąpił błąd: \n:error",
|
||||||
'social_account_email_in_use' => 'Email :email jest już w użyciu. Jeśli masz już konto, połącz konto :socialAccount z poziomu ustawień profilu.',
|
'social_account_in_use' => 'To konto :socialAccount jest już w użyciu. Spróbuj zalogować się za pomocą opcji :socialAccount.',
|
||||||
|
'social_account_email_in_use' => 'E-mail :email jest już w użyciu. Jeśli masz już konto, połącz konto :socialAccount z poziomu ustawień profilu.',
|
||||||
'social_account_existing' => 'Konto :socialAccount jest już połączone z Twoim profilem',
|
'social_account_existing' => 'Konto :socialAccount jest już połączone z Twoim profilem',
|
||||||
'social_account_already_used_existing' => 'Konto :socialAccount jest już używane przez innego użytkownika.',
|
'social_account_already_used_existing' => 'Konto :socialAccount jest już używane przez innego użytkownika.',
|
||||||
'social_account_not_used' => 'To konto :socialAccount nie jest połączone z żadnym użytkownikiem. Połącz je ze swoim kontem w ustawieniach profilu. ',
|
'social_account_not_used' => 'To konto :socialAccount nie jest połączone z żadnym użytkownikiem. Połącz je ze swoim kontem w ustawieniach profilu. ',
|
||||||
@ -30,27 +31,32 @@ return [
|
|||||||
'social_driver_not_configured' => 'Ustawienia konta :socialAccount nie są poprawne.',
|
'social_driver_not_configured' => 'Ustawienia konta :socialAccount nie są poprawne.',
|
||||||
|
|
||||||
// System
|
// System
|
||||||
'path_not_writable' => 'Zapis do ścieżki :filePath jest niemożliwy. Upewnij się że aplikacja ma prawa do zapisu w niej.',
|
'path_not_writable' => 'Zapis do ścieżki :filePath jest niemożliwy. Upewnij się że aplikacja ma prawa do zapisu plików na serwerze.',
|
||||||
'cannot_get_image_from_url' => 'Nie można pobrać obrazka z :url',
|
'cannot_get_image_from_url' => 'Nie można pobrać obrazka z :url',
|
||||||
'cannot_create_thumbs' => 'Serwer nie może utworzyć miniaturek. Upewnij się że rozszerzenie GD PHP zostało zainstalowane.',
|
'cannot_create_thumbs' => 'Serwer nie może utworzyć miniaturek. Upewnij się że rozszerzenie GD PHP zostało zainstalowane.',
|
||||||
'server_upload_limit' => 'Serwer nie pozwala na przyjęcie pliku o tym rozmiarze. Spróbuj udostępnić coś o mniejszym rozmiarze.',
|
'server_upload_limit' => 'Serwer nie pozwala na przyjęcie pliku o tym rozmiarze. Spróbuj przesłać plik o mniejszym rozmiarze.',
|
||||||
'image_upload_error' => 'Wystąpił błąd podczas udostępniania obrazka',
|
'uploaded' => 'Serwer nie pozwala na przyjęcie pliku o tym rozmiarze. Spróbuj przesłać plik o mniejszym rozmiarze.',
|
||||||
|
'image_upload_error' => 'Wystąpił błąd podczas przesyłania obrazka',
|
||||||
|
'image_upload_type_error' => 'Typ przesłanego obrazka jest nieprwidłowy.',
|
||||||
'file_upload_timeout' => 'Przesyłanie pliku przekroczyło limit czasu.',
|
'file_upload_timeout' => 'Przesyłanie pliku przekroczyło limit czasu.',
|
||||||
|
|
||||||
// Attachments
|
// Attachments
|
||||||
'attachment_page_mismatch' => 'Niezgodność stron podczas aktualizacji załącznika',
|
'attachment_page_mismatch' => 'Niezgodność strony podczas aktualizacji załącznika',
|
||||||
|
'attachment_not_found' => 'Nie znaleziono załącznika',
|
||||||
|
|
||||||
// Pages
|
// Pages
|
||||||
'page_draft_autosave_fail' => 'Zapis szkicu nie powiódł się. Upewnij się że posiadasz połączenie z internetem.',
|
'page_draft_autosave_fail' => 'Zapis wersji roboczej nie powiódł się. Upewnij się, że posiadasz połączenie z internetem.',
|
||||||
|
'page_custom_home_deletion' => 'Nie można usunąć strony, jeśli jest ona ustawiona jako strona główna',
|
||||||
|
|
||||||
// Entities
|
// Entities
|
||||||
'entity_not_found' => 'Encja nie została odnaleziona',
|
'entity_not_found' => 'Nie znaleziono obiektu',
|
||||||
'book_not_found' => 'Księga nie została odnaleziona',
|
'bookshelf_not_found' => 'Nie znaleziono półki',
|
||||||
'page_not_found' => 'Strona nie została odnaleziona',
|
'book_not_found' => 'Nie znaleziono podręcznika',
|
||||||
'chapter_not_found' => 'Rozdział nie został odnaleziony',
|
'page_not_found' => 'Nie znaleziono strony',
|
||||||
'selected_book_not_found' => 'Wybrana księga nie została odnaleziona',
|
'chapter_not_found' => 'Nie znaleziono rozdziału',
|
||||||
'selected_book_chapter_not_found' => 'Wybrana księga lub rozdział nie zostały odnalezione',
|
'selected_book_not_found' => 'Wybrany podręcznik nie został znaleziony',
|
||||||
'guests_cannot_save_drafts' => 'Goście nie mogą zapisywać szkiców',
|
'selected_book_chapter_not_found' => 'Wybrany podręcznik lub rozdział nie został znaleziony',
|
||||||
|
'guests_cannot_save_drafts' => 'Goście nie mogą zapisywać wersji roboczych',
|
||||||
|
|
||||||
// Users
|
// Users
|
||||||
'users_cannot_delete_only_admin' => 'Nie możesz usunąć jedynego administratora',
|
'users_cannot_delete_only_admin' => 'Nie możesz usunąć jedynego administratora',
|
||||||
@ -59,13 +65,20 @@ return [
|
|||||||
// Roles
|
// Roles
|
||||||
'role_cannot_be_edited' => 'Ta rola nie może być edytowana',
|
'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_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 jeśli jest ustawiona jako domyślna rola użytkownika',
|
'role_registration_default_cannot_delete' => 'Ta rola nie może zostać usunięta, dopóki jest ustawiona jako domyślna rola użytkownika',
|
||||||
|
|
||||||
|
// Comments
|
||||||
|
'comment_list' => 'Wystąpił błąd podczas pobierania komentarzy.',
|
||||||
|
'cannot_add_comment_to_draft' => 'Nie możesz dodawać komentarzy do wersji roboczej.',
|
||||||
|
'comment_add' => 'Wystąpił błąd podczas dodwania / aktualizaowania komentarza.',
|
||||||
|
'comment_delete' => 'Wystąpił błąd podczas usuwania komentarza.',
|
||||||
|
'empty_comment' => 'Nie można dodać pustego komentarza.',
|
||||||
|
|
||||||
// Error pages
|
// Error pages
|
||||||
'404_page_not_found' => 'Strona nie została odnaleziona',
|
'404_page_not_found' => 'Strona nie została znaleziona',
|
||||||
'sorry_page_not_found' => 'Przepraszamy, ale strona której szukasz nie została odnaleziona.',
|
'sorry_page_not_found' => 'Przepraszamy, ale strona której szukasz nie została znaleziona.',
|
||||||
'return_home' => 'Powrót do strony głównej',
|
'return_home' => 'Powrót do strony głównej',
|
||||||
'error_occurred' => 'Wystąpił błąd',
|
'error_occurred' => 'Wystąpił błąd',
|
||||||
'app_down' => ':appName jest aktualnie wyłączona',
|
'app_down' => ':appName jest aktualnie wyłączona',
|
||||||
'back_soon' => 'Niedługo zostanie uruchomiona ponownie.',
|
'back_soon' => 'Niedługo zostanie uruchomiona ponownie.',
|
||||||
];
|
];
|
||||||
|
@ -14,7 +14,7 @@ return [
|
|||||||
*/
|
*/
|
||||||
|
|
||||||
'password' => 'Hasło musi zawierać co najmniej 6 znaków i być zgodne z powtórzeniem.',
|
'password' => 'Hasło musi zawierać co najmniej 6 znaków i być zgodne z powtórzeniem.',
|
||||||
'user' => "Nie znaleziono użytkownika o takim adresie email.",
|
'user' => "Nie znaleziono użytkownika o takim adresie e-mail.",
|
||||||
'token' => 'Ten token resetowania hasła jest nieprawidłowy.',
|
'token' => 'Ten token resetowania hasła jest nieprawidłowy.',
|
||||||
'sent' => 'Wysłaliśmy Ci link do resetowania hasła!',
|
'sent' => 'Wysłaliśmy Ci link do resetowania hasła!',
|
||||||
'reset' => 'Twoje hasło zostało zresetowane!',
|
'reset' => 'Twoje hasło zostało zresetowane!',
|
||||||
|
@ -18,21 +18,24 @@ return [
|
|||||||
|
|
||||||
'app_settings' => 'Ustawienia aplikacji',
|
'app_settings' => 'Ustawienia aplikacji',
|
||||||
'app_name' => 'Nazwa aplikacji',
|
'app_name' => 'Nazwa aplikacji',
|
||||||
'app_name_desc' => 'Ta nazwa jest wyświetlana w nagłówku i emailach.',
|
'app_name_desc' => 'Ta nazwa jest wyświetlana w nagłówku i e-mailach.',
|
||||||
'app_name_header' => 'Pokazać nazwę aplikacji w nagłówku?',
|
'app_name_header' => 'Pokazać nazwę aplikacji w nagłówku?',
|
||||||
'app_public_viewing' => 'Zezwolić na publiczne przeglądanie?',
|
'app_public_viewing' => 'Zezwolić na publiczne przeglądanie?',
|
||||||
'app_secure_images' => 'Odblokować wyższe bezpieczeństwo obrazków?',
|
'app_secure_images' => 'Włączyć przesyłanie obrazów o wyższym poziomie bezpieczeństwa?',
|
||||||
'app_secure_images_desc' => 'Ze względów wydajnościowych wszystkie obrazki są publiczne. Ta opcja dodaje dodatkowy, trudny do zgadnienia losowy ciąg na początku nazwy obrazka. Upewnij się że indeksowanie ścieżek jest zablokowane, by uniknąć problemów z dostępem do obrazka.',
|
'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' => 'Edytor strony',
|
||||||
'app_editor_desc' => 'Wybierz edytor używany przez użytkowników do edycji zawartości.',
|
'app_editor_desc' => 'Wybierz edytor używany przez użytkowników do edycji zawartości.',
|
||||||
'app_custom_html' => 'Własna zawartość tagu <head>',
|
'app_custom_html' => 'Własna zawartość w tagu <head>',
|
||||||
'app_custom_html_desc' => 'Zawartość dodana tutaj zostanie dołączona do sekcji <head> każdej strony. Przydatne przy nadpisywaniu styli lub dodawaniu analityki.',
|
'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_logo' => 'Logo aplikacji',
|
'app_logo' => 'Logo aplikacji',
|
||||||
'app_logo_desc' => 'Ten obrazek powinien mieć nie więcej niż 43px w pionie. <br>Większe obrazki będą skalowane w dół.',
|
'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_primary_color' => 'Podstawowy kolor aplikacji',
|
||||||
'app_primary_color_desc' => 'To powinna być wartość HEX. <br>Zostaw to pole puste, by powrócić do podstawowego koloru.',
|
'app_primary_color_desc' => 'To powinna być wartość HEX. <br>Zostaw to pole puste, by powrócić do podstawowego koloru.',
|
||||||
|
'app_homepage' => 'Strona główna',
|
||||||
|
'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' => 'Wyłącz komentarze',
|
||||||
'app_disable_comments_desc' => 'Wyłącz komentarze na wszystkich stronach w aplikacji. Istniejące komentarze nie są pokazywane.',
|
'app_disable_comments_desc' => 'Wyłącz komentarze na wszystkich stronach w aplikacji. Istniejące komentarze nie będą pokazywane.',
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Registration settings
|
* Registration settings
|
||||||
@ -41,18 +44,31 @@ return [
|
|||||||
'reg_settings' => 'Ustawienia rejestracji',
|
'reg_settings' => 'Ustawienia rejestracji',
|
||||||
'reg_allow' => 'Zezwolić na rejestrację?',
|
'reg_allow' => 'Zezwolić na rejestrację?',
|
||||||
'reg_default_role' => 'Domyślna rola użytkownika po rejestracji',
|
'reg_default_role' => 'Domyślna rola użytkownika po rejestracji',
|
||||||
'reg_confirm_email' => 'Wymagać potwierdzenia adresu email?',
|
'reg_confirm_email' => 'Wymagać potwierdzenia adresu e-mail?',
|
||||||
'reg_confirm_email_desc' => 'Jeśli restrykcje domenowe zostały uzupełnione potwierdzenie adresu stanie się konieczne, a poniższa wartośc zostanie zignorowana.',
|
'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 email',
|
'reg_confirm_restrict_domain' => 'Restrykcje domenowe dot. adresu e-mail',
|
||||||
'reg_confirm_restrict_domain_desc' => 'Wprowadź listę domen adresów email rozdzieloną przecinkami, którym chciałbyś zezwolić na rejestrację. Wymusi to konieczność potwierdzenia adresu email przez użytkownika przed uzyskaniem dostępu do aplikacji. <br> Pamiętaj, że użytkownicy będą mogli zmienić adres email po rejestracji.',
|
'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.',
|
||||||
'reg_confirm_restrict_domain_placeholder' => 'Brak restrykcji',
|
'reg_confirm_restrict_domain_placeholder' => 'Brak restrykcji',
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Maintenance settings
|
||||||
|
*/
|
||||||
|
|
||||||
|
'maint' => 'Konserwacja',
|
||||||
|
'maint_image_cleanup' => 'Czyszczenie obrazków',
|
||||||
|
'maint_image_cleanup_desc' => "Skanuje zawartość strony i poprzednie wersje, aby sprawdzić, które obrazy i rysunki są aktualnie używane, a które obrazy są zbędne. Przed uruchomieniem tej opcji należy utworzyć pełną kopię zapasową bazy danych i obrazków.",
|
||||||
|
'maint_image_cleanup_ignore_revisions' => 'Ignoruje obrazki w poprzednich wersjach',
|
||||||
|
'maint_image_cleanup_run' => 'Uruchom czyszczenie',
|
||||||
|
'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!',
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Role settings
|
* Role settings
|
||||||
*/
|
*/
|
||||||
|
|
||||||
'roles' => 'Role',
|
'roles' => 'Role',
|
||||||
'role_user_roles' => 'Role użytkownika',
|
'role_user_roles' => 'Role użytkowników',
|
||||||
'role_create' => 'Utwórz nową rolę',
|
'role_create' => 'Utwórz nową rolę',
|
||||||
'role_create_success' => 'Rola utworzona pomyślnie',
|
'role_create_success' => 'Rola utworzona pomyślnie',
|
||||||
'role_delete' => 'Usuń rolę',
|
'role_delete' => 'Usuń rolę',
|
||||||
@ -65,14 +81,16 @@ return [
|
|||||||
'role_details' => 'Szczegóły roli',
|
'role_details' => 'Szczegóły roli',
|
||||||
'role_name' => 'Nazwa roli',
|
'role_name' => 'Nazwa roli',
|
||||||
'role_desc' => 'Krótki opis roli',
|
'role_desc' => 'Krótki opis roli',
|
||||||
|
'role_external_auth_id' => 'Zewnętrzne identyfikatory uwierzytelniania',
|
||||||
'role_system' => 'Uprawnienia systemowe',
|
'role_system' => 'Uprawnienia systemowe',
|
||||||
'role_manage_users' => 'Zarządzanie użytkownikami',
|
'role_manage_users' => 'Zarządzanie użytkownikami',
|
||||||
'role_manage_roles' => 'Zarządzanie rolami i uprawnieniami ról',
|
'role_manage_roles' => 'Zarządzanie rolami i uprawnieniami ról',
|
||||||
'role_manage_entity_permissions' => 'Zarządzanie uprawnieniami ksiąg, rozdziałów i stron',
|
'role_manage_entity_permissions' => 'Zarządzanie uprawnieniami podręczników, rozdziałów i stron',
|
||||||
'role_manage_own_entity_permissions' => 'Zarządzanie uprawnieniami własnych ksiąg, rozdziałów i stron',
|
'role_manage_own_entity_permissions' => 'Zarządzanie uprawnieniami własnych podręczników, rozdziałów i stron',
|
||||||
'role_manage_settings' => 'Zarządzanie ustawieniami aplikacji',
|
'role_manage_settings' => 'Zarządzanie ustawieniami aplikacji',
|
||||||
'role_asset' => 'Zarządzanie zasobami',
|
'role_asset' => 'Zarządzanie zasobami',
|
||||||
'role_asset_desc' => 'Te ustawienia kontrolują zarządzanie zasobami systemu. Uprawnienia ksiąg, rozdziałów i stron nadpisują te ustawienia.',
|
'role_asset_desc' => 'Te ustawienia kontrolują zarządzanie zasobami systemu. Uprawnienia podręczników, 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_all' => 'Wszyscy',
|
||||||
'role_own' => 'Własne',
|
'role_own' => 'Własne',
|
||||||
'role_controlled_by_asset' => 'Kontrolowane przez zasób, do którego zostały udostępnione',
|
'role_controlled_by_asset' => 'Kontrolowane przez zasób, do którego zostały udostępnione',
|
||||||
@ -90,7 +108,7 @@ return [
|
|||||||
'users_add_new' => 'Dodaj użytkownika',
|
'users_add_new' => 'Dodaj użytkownika',
|
||||||
'users_search' => 'Wyszukaj użytkownika',
|
'users_search' => 'Wyszukaj użytkownika',
|
||||||
'users_role' => 'Role użytkownika',
|
'users_role' => 'Role użytkownika',
|
||||||
'users_external_auth_id' => 'Zewnętrzne ID autentykacji',
|
'users_external_auth_id' => 'Zewnętrzne identyfikatory autentykacji',
|
||||||
'users_password_warning' => 'Wypełnij poniżej tylko jeśli chcesz zmienić swoje hasło:',
|
'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_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_delete' => 'Usuń użytkownika',
|
||||||
@ -102,10 +120,10 @@ return [
|
|||||||
'users_edit_profile' => 'Edytuj profil',
|
'users_edit_profile' => 'Edytuj profil',
|
||||||
'users_edit_success' => 'Użytkownik zaktualizowany pomyśłnie',
|
'users_edit_success' => 'Użytkownik zaktualizowany pomyśłnie',
|
||||||
'users_avatar' => 'Avatar użytkownika',
|
'users_avatar' => 'Avatar użytkownika',
|
||||||
'users_avatar_desc' => 'Ten obrazek powinien mieć 25px x 256px.',
|
'users_avatar_desc' => 'Ten obrazek powinien posiadać wymiary 256x256px.',
|
||||||
'users_preferred_language' => 'Preferowany język',
|
'users_preferred_language' => 'Preferowany język',
|
||||||
'users_social_accounts' => 'Konta społecznościowe',
|
'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.',
|
'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_connect' => 'Podłącz konto',
|
||||||
'users_social_disconnect' => 'Odłącz konto',
|
'users_social_disconnect' => 'Odłącz konto',
|
||||||
'users_social_connected' => ':socialAccount zostało dodane do Twojego profilu.',
|
'users_social_connected' => ':socialAccount zostało dodane do Twojego profilu.',
|
||||||
|
50
resources/lang/uk/activities.php
Normal file
50
resources/lang/uk/activities.php
Normal file
@ -0,0 +1,50 @@
|
|||||||
|
<?php
|
||||||
|
/**
|
||||||
|
* Activity text strings.
|
||||||
|
* Is used for all the text within activity logs & notifications.
|
||||||
|
* Текстові рядки активності.
|
||||||
|
* Використовується для всього тексту в журналах активності та сповіщеннях.
|
||||||
|
*/
|
||||||
|
return [
|
||||||
|
|
||||||
|
// Pages
|
||||||
|
'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' => 'видалив розділ',
|
||||||
|
'chapter_delete_notification' => 'Розділ успішно видалено',
|
||||||
|
'chapter_move' => 'перемістив розділ',
|
||||||
|
|
||||||
|
// Books
|
||||||
|
'book_create' => 'створив книгу',
|
||||||
|
'book_create_notification' => 'Книгу успішно створено',
|
||||||
|
'book_update' => 'оновив книгу',
|
||||||
|
'book_update_notification' => 'Книгу успішно оновлено',
|
||||||
|
'book_delete' => 'видалив книгу',
|
||||||
|
'book_delete_notification' => 'Книгу успішно видалено',
|
||||||
|
'book_sort' => 'sorted книгу',
|
||||||
|
'book_sort_notification' => 'Книгу успішно відновлено',
|
||||||
|
|
||||||
|
// Bookshelves
|
||||||
|
'bookshelf_create' => 'створено книжкову полицю',
|
||||||
|
'bookshelf_create_notification' => 'Книжкову полицю успішно створено',
|
||||||
|
'bookshelf_update' => 'оновив книжкову полицю',
|
||||||
|
'bookshelf_update_notification' => 'Книжкову полицю успішно оновлено',
|
||||||
|
'bookshelf_delete' => 'видалив книжкову полицю',
|
||||||
|
'bookshelf_delete_notification' => 'Книжкову полицю успішно видалено',
|
||||||
|
|
||||||
|
// Other
|
||||||
|
'commented_on' => 'прокоментував',
|
||||||
|
];
|
67
resources/lang/uk/auth.php
Normal file
67
resources/lang/uk/auth.php
Normal file
@ -0,0 +1,67 @@
|
|||||||
|
<?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' => 'Email',
|
||||||
|
'password' => 'Пароль',
|
||||||
|
'password_confirm' => 'Підтвердження пароля',
|
||||||
|
'password_hint' => 'Має бути більше 5 символів',
|
||||||
|
'forgot_password' => 'Забули пароль?',
|
||||||
|
'remember_me' => 'Запам’ятати мене',
|
||||||
|
'ldap_email_hint' => 'Введіть email для цього облікового запису.',
|
||||||
|
'create_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',
|
||||||
|
'email_confirm_send_error' => 'Необхідно підтвердження електронною поштою, але система не змогла надіслати електронний лист. Зверніться до адміністратора, щоб правильно налаштувати електронну пошту.',
|
||||||
|
'email_confirm_success' => 'Ваш електронну адресу підтверджено!',
|
||||||
|
'email_confirm_resent' => 'Лист з підтвердженням надіслано, перевірте свою пошту.',
|
||||||
|
|
||||||
|
'email_not_confirmed' => 'Адреса Email не підтверджена',
|
||||||
|
'email_not_confirmed_text' => 'Ваша електронна адреса ще не підтверджена.',
|
||||||
|
'email_not_confirmed_click_link' => 'Будь-ласка, натисніть на посилання в електронному листі, яке було надіслано після реєстрації.',
|
||||||
|
'email_not_confirmed_resend' => 'Якщо ви не можете знайти електронний лист, ви можете повторно надіслати підтвердження електронною поштою, на формі нижче.',
|
||||||
|
'email_not_confirmed_resend_button' => 'Повторне підтвердження електронної пошти',
|
||||||
|
];
|
60
resources/lang/uk/common.php
Normal file
60
resources/lang/uk/common.php
Normal file
@ -0,0 +1,60 @@
|
|||||||
|
<?php
|
||||||
|
/**
|
||||||
|
* Common elements found throughout many areas of BookStack.
|
||||||
|
* Загальні елементи, використовуються в багатьох областях BookStack.
|
||||||
|
*/
|
||||||
|
return [
|
||||||
|
|
||||||
|
// Buttons
|
||||||
|
'cancel' => 'Скасувати',
|
||||||
|
'confirm' => 'Застосувати',
|
||||||
|
'back' => 'Назад',
|
||||||
|
'save' => 'Зберегти',
|
||||||
|
'continue' => 'Продовжити',
|
||||||
|
'select' => 'Вибрати',
|
||||||
|
'more' => 'Ще',
|
||||||
|
|
||||||
|
// Form Labels
|
||||||
|
'name' => 'Назва',
|
||||||
|
'description' => 'Опис',
|
||||||
|
'role' => 'Роль',
|
||||||
|
'cover_image' => 'Обкладинка',
|
||||||
|
'cover_image_description' => 'Це зображення має бути приблизно 440x250px.',
|
||||||
|
|
||||||
|
// Actions
|
||||||
|
'actions' => 'Дії',
|
||||||
|
'view' => 'Перегляд',
|
||||||
|
'create' => 'Створити',
|
||||||
|
'update' => 'Оновити',
|
||||||
|
'edit' => 'Редагувати',
|
||||||
|
'sort' => 'Сортувати',
|
||||||
|
'move' => 'Перемістити',
|
||||||
|
'copy' => 'Копіювати',
|
||||||
|
'reply' => 'Відповісти',
|
||||||
|
'delete' => 'Видалити',
|
||||||
|
'search' => 'Шукати',
|
||||||
|
'search_clear' => 'Очистити пошук',
|
||||||
|
'reset' => 'Скинути',
|
||||||
|
'remove' => 'Видалити',
|
||||||
|
'add' => 'Додати',
|
||||||
|
|
||||||
|
// 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' => 'Редагувати профіль',
|
||||||
|
|
||||||
|
// Email Content
|
||||||
|
'email_action_help' => 'Якщо у вас виникають проблеми при натисканні кнопки ":actionText", скопіюйте та вставте URL у свій веб-браузер:',
|
||||||
|
'email_rights' => 'Всі права захищені',
|
||||||
|
];
|
34
resources/lang/uk/components.php
Normal file
34
resources/lang/uk/components.php
Normal file
@ -0,0 +1,34 @@
|
|||||||
|
<?php
|
||||||
|
/**
|
||||||
|
* Text used in custom JavaScript driven components.
|
||||||
|
* Текст використовується в індивідуальних компонентах, керованих JavaScript.
|
||||||
|
*/
|
||||||
|
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' => 'Зберегти Код',
|
||||||
|
];
|
295
resources/lang/uk/entities.php
Normal file
295
resources/lang/uk/entities.php
Normal file
@ -0,0 +1,295 @@
|
|||||||
|
<?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_update' => 'Недавно оновлено',
|
||||||
|
'recently_viewed' => 'Недавно переглянуто',
|
||||||
|
'recent_activity' => 'Остання активність',
|
||||||
|
'create_now' => 'Створити зараз',
|
||||||
|
'revisions' => 'Версія',
|
||||||
|
'meta_revision' => 'Версія #:revisionCount',
|
||||||
|
'meta_created' => 'Створено :timeLength',
|
||||||
|
'meta_created_name' => ':user створив :timeLength',
|
||||||
|
'meta_updated' => 'Оновлено :timeLength',
|
||||||
|
'meta_updated_name' => ':user оновив :timeLength',
|
||||||
|
'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' => 'Полиці',
|
||||||
|
'shelves_long' => 'Книжкові полиці',
|
||||||
|
'shelves_empty' => 'Жодних полиць не було створено',
|
||||||
|
'shelves_create' => 'Створити нову полицю',
|
||||||
|
'shelves_popular' => 'Популярні полиці',
|
||||||
|
'shelves_new' => 'Нові полиці',
|
||||||
|
'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_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_or' => 'або',
|
||||||
|
'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_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_toggle_header' => 'Переключити заголовок',
|
||||||
|
'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_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' => 'URL-адреса сайту або файлу',
|
||||||
|
'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 не створив жодної книги',
|
||||||
|
|
||||||
|
// 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_delete_success' => 'Версія видалена',
|
||||||
|
'revision_cannot_delete_latest' => 'Неможливо видалити останню версію.'
|
||||||
|
];
|
83
resources/lang/uk/errors.php
Normal file
83
resources/lang/uk/errors.php
Normal file
@ -0,0 +1,83 @@
|
|||||||
|
<?php
|
||||||
|
/**
|
||||||
|
* Text shown in error messaging.
|
||||||
|
* Текст відображається в повідомленнях про помилку.
|
||||||
|
*/
|
||||||
|
return [
|
||||||
|
|
||||||
|
// Permissions
|
||||||
|
'permission' => 'Ви не маєте дозволу на доступ до цієї сторінки.',
|
||||||
|
'permissionJson' => 'Ви не маєте дозволу виконувати заявлену дію.',
|
||||||
|
|
||||||
|
// Auth
|
||||||
|
'error_user_exists_different_creds' => 'Користувач з електронною адресою: електронна адреса вже існує, але з іншими обліковими даними.',
|
||||||
|
'email_already_confirmed' => 'Електронна пошта вже підтверджена, спробуйте увійти.',
|
||||||
|
'email_confirmation_invalid' => 'Цей токен підтвердження недійсний або вже був використаний, будь ласка, спробуйте знову зареєструватися.',
|
||||||
|
'email_confirmation_expired' => 'Термін дії токена підтвердження минув, новий електронний лист підтвердження був відправлений.',
|
||||||
|
'ldap_fail_anonymous' => 'LDAP-доступ невдалий, з використання анонімного зв\'язку',
|
||||||
|
'ldap_fail_authed' => 'LDAP-доступ невдалий, використовуючи задані параметри dn та password',
|
||||||
|
'ldap_extension_not_installed' => 'Розширення PHP LDAP не встановлено',
|
||||||
|
'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 account не пов\'язаний з жодним користувачем. Будь ласка, додайте його в налаштуваннях вашого профілю. ',
|
||||||
|
'social_account_register_instructions' => 'Якщо у вас ще немає облікового запису, ви можете зареєструвати обліковий запис за допомогою параметра :socialAccount.',
|
||||||
|
'social_driver_not_found' => 'Драйвер для СоціальноїМережі не знайдено',
|
||||||
|
'social_driver_not_configured' => 'Ваші соціальні настройки :socialAccount не правильно налаштовані.',
|
||||||
|
|
||||||
|
// System
|
||||||
|
'path_not_writable' => 'Не вдається завантажити шлях до файлу :filePath. Переконайтеся, що він доступний для запису на сервер.',
|
||||||
|
'cannot_get_image_from_url' => 'Неможливо отримати зображення з :url',
|
||||||
|
'cannot_create_thumbs' => 'Сервер не може створювати ескізи. Будь ласка, перевірте, чи встановлено розширення GD PHP.',
|
||||||
|
'server_upload_limit' => 'Сервер не дозволяє завантажувати файли такого розміру. Спробуйте менший розмір файлу.',
|
||||||
|
'uploaded' => 'Сервер не дозволяє завантажувати файли такого розміру. Спробуйте менший розмір файлу.',
|
||||||
|
'image_upload_error' => 'Виникла помилка під час завантаження зображення',
|
||||||
|
'image_upload_type_error' => 'Тип завантаженого зображення недійсний',
|
||||||
|
|
||||||
|
// Attachments
|
||||||
|
'attachment_page_mismatch' => 'Невідповідність сторінки при оновленні вкладень',
|
||||||
|
'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' => 'Цю роль не можна видалити, бо вона встановлена як роль реєстрації за умовчанням',
|
||||||
|
|
||||||
|
// 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' => 'Він повернеться найближчим часом.',
|
||||||
|
|
||||||
|
];
|
15
resources/lang/uk/pagination.php
Normal file
15
resources/lang/uk/pagination.php
Normal file
@ -0,0 +1,15 @@
|
|||||||
|
<?php
|
||||||
|
/**
|
||||||
|
* Pagination Language Lines
|
||||||
|
* The following language lines are used by the paginator library to build
|
||||||
|
* the simple pagination links.
|
||||||
|
* Лінії мови вирівнювання по сторінках
|
||||||
|
* Наступні мовні лінії використовуються бібліотекою журналіста для створення
|
||||||
|
* простих посилань на сторінки.
|
||||||
|
*/
|
||||||
|
return [
|
||||||
|
|
||||||
|
'previous' => '« Попередня',
|
||||||
|
'next' => 'Наступна »',
|
||||||
|
|
||||||
|
];
|
16
resources/lang/uk/passwords.php
Normal file
16
resources/lang/uk/passwords.php
Normal file
@ -0,0 +1,16 @@
|
|||||||
|
<?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' => 'Паролі повинні містити принаймні шість символів і відповідати підтвердженню.',
|
||||||
|
'user' => "Ми не можемо знайти користувача з цією адресою електронної пошти.",
|
||||||
|
'token' => 'Цей токен для скидання пароля недійсний.',
|
||||||
|
'sent' => 'Ми надіслали вам електронний лист із посиланням на скидання пароля!',
|
||||||
|
'reset' => 'Ваш пароль був скинутий!',
|
||||||
|
|
||||||
|
];
|
119
resources/lang/uk/settings.php
Normal file
119
resources/lang/uk/settings.php
Normal file
@ -0,0 +1,119 @@
|
|||||||
|
<?php
|
||||||
|
/**
|
||||||
|
* Settings text strings
|
||||||
|
* Contains all text strings used in the general settings sections of BookStack
|
||||||
|
* including users and roles.
|
||||||
|
* Текст налаштувань
|
||||||
|
* Містить всі текстові рядки, що використовуються в розділах загальної настройки BookStack
|
||||||
|
* включаючи користувачів та ролі.
|
||||||
|
*/
|
||||||
|
return [
|
||||||
|
|
||||||
|
// Common Messages
|
||||||
|
'settings' => 'Налаштування',
|
||||||
|
'settings_save' => 'Зберегти налаштування',
|
||||||
|
'settings_save_success' => 'Налаштування збережено',
|
||||||
|
|
||||||
|
// App Settings
|
||||||
|
'app_settings' => 'Налаштування програми',
|
||||||
|
'app_name' => 'Назва програми',
|
||||||
|
'app_name_desc' => 'Ця назва відображається у заголовку та у всіх листах.',
|
||||||
|
'app_name_header' => 'Показати назву програми в заголовку?',
|
||||||
|
'app_public_viewing' => 'Дозволити публічний перегляд?',
|
||||||
|
'app_secure_images' => 'Увімкунти вищі налаштування безпеки для завантаження зображень?',
|
||||||
|
'app_secure_images_desc' => 'З міркувань продуктивності всі зображення є загальнодоступними. Цей параметр додає випадковий, важко передбачуваний рядок перед URL-адресами зображень. Переконайтеся, що індексація каталогів не активована, щоб запобігти легкому доступу.',
|
||||||
|
'app_editor' => 'Редактор сторінок',
|
||||||
|
'app_editor_desc' => 'Виберіть, який редактор буде використовуватися всіма користувачами для редагування сторінок.',
|
||||||
|
'app_custom_html' => 'Користувацький вміст HTML-заголовку',
|
||||||
|
'app_custom_html_desc' => 'Будь-який доданий тут вміст буде вставлено в нижню частину розділу <head> кожної сторінки. Це зручно для перевизначення стилів, або додавання коду аналітики.',
|
||||||
|
'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' => 'Вимкнути коментарі',
|
||||||
|
'app_disable_comments_desc' => 'Вимкнути коментарі на всіх сторінках програми. Існуючі коментарі не відображаються.',
|
||||||
|
|
||||||
|
// Registration Settings
|
||||||
|
'reg_settings' => 'Налаштування реєстрації',
|
||||||
|
'reg_allow' => 'Дозволити реєстрацію?',
|
||||||
|
'reg_default_role' => 'Роль користувача за умовчанням після реєстрації',
|
||||||
|
'reg_confirm_email' => 'Потрібне підтвердження електронною поштою?',
|
||||||
|
'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' => 'Зовнішні ID автентифікації',
|
||||||
|
'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_role' => 'Ролі користувача',
|
||||||
|
'users_external_auth_id' => 'Зовнішній ID автентифікації',
|
||||||
|
'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_social_accounts' => 'Соціальні акаунти',
|
||||||
|
'users_social_accounts_info' => 'Тут ви можете підключити інші облікові записи для швидшого та легшого входу. Від\'єднання соціального облікового запису тут не дозволяється. Скасуйте доступ із налаштувань вашого профілю в пов\'язаній соціальній мережі.',
|
||||||
|
'users_social_connect' => 'Підключити обліковий запис',
|
||||||
|
'users_social_disconnect' => 'Від\'єднати обліковий запис',
|
||||||
|
'users_social_connected' => 'Обліковий запис :socialAccount успішно додано до вашого профілю.',
|
||||||
|
'users_social_disconnected' => 'Обліковий запис :socialAccount був успішно відключений від вашого профілю.',
|
||||||
|
|
||||||
|
];
|
86
resources/lang/uk/validation.php
Normal file
86
resources/lang/uk/validation.php
Normal file
@ -0,0 +1,86 @@
|
|||||||
|
<?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 не є дійсною 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 елементів.',
|
||||||
|
],
|
||||||
|
'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 повинна бути дійсною електронною адресою.',
|
||||||
|
'filled' => ':attribute поле обов\'язкове.',
|
||||||
|
'exists' => 'Вибраний :attribute недійсний.',
|
||||||
|
'image' => ':attribute повинен бути зображенням.',
|
||||||
|
'in' => 'Вибраний :attribute недійсний.',
|
||||||
|
'integer' => ':attribute повинен бути цілим числом.',
|
||||||
|
'ip' => ':attribute повинна бути дійсною IP-адресою.',
|
||||||
|
'max' => [
|
||||||
|
'numeric' => ':attribute не може бути більшим за :max.',
|
||||||
|
'file' => ':attribute не може бути більшим за :max кілобайт.',
|
||||||
|
'string' => ':attribute не може бути більшим за :max символів.',
|
||||||
|
'array' => ':attribute не може бути більше ніж :max елементів.',
|
||||||
|
],
|
||||||
|
'mimes' => ':attribute повинен бути файлом типу: :values.',
|
||||||
|
'min' => [
|
||||||
|
'numeric' => ':attribute повинен бути принаймні :min.',
|
||||||
|
'file' => ':attribute повинен бути принаймні :min кілобайт.',
|
||||||
|
'string' => ':attribute повинен бути принаймні :min символів.',
|
||||||
|
'array' => ':attribute повинен містити принаймні :min елементів.',
|
||||||
|
],
|
||||||
|
'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 формат недійсний.',
|
||||||
|
|
||||||
|
// Custom validation lines
|
||||||
|
'custom' => [
|
||||||
|
'password-confirm' => [
|
||||||
|
'required_with' => 'Необхідне підтвердження пароля',
|
||||||
|
],
|
||||||
|
],
|
||||||
|
|
||||||
|
// Custom validation attributes
|
||||||
|
'attributes' => [],
|
||||||
|
];
|
@ -2,8 +2,6 @@
|
|||||||
|
|
||||||
if (! empty($greeting)) {
|
if (! empty($greeting)) {
|
||||||
echo $greeting, "\n\n";
|
echo $greeting, "\n\n";
|
||||||
} else {
|
|
||||||
echo $level == 'error' ? 'Whoops!' : 'Hello!', "\n\n";
|
|
||||||
}
|
}
|
||||||
|
|
||||||
if (! empty($introLines)) {
|
if (! empty($introLines)) {
|
||||||
|
@ -31,6 +31,20 @@ class LdapTest extends BrowserKitTest
|
|||||||
$this->mockUser = factory(User::class)->make();
|
$this->mockUser = factory(User::class)->make();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
protected function mockEscapes($times = 1)
|
||||||
|
{
|
||||||
|
$this->mockLdap->shouldReceive('escape')->times($times)->andReturnUsing(function($val) {
|
||||||
|
return ldap_escape($val);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
protected function mockExplodes($times = 1)
|
||||||
|
{
|
||||||
|
$this->mockLdap->shouldReceive('explodeDn')->times($times)->andReturnUsing(function($dn, $withAttrib) {
|
||||||
|
return ldap_explode_dn($dn, $withAttrib);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
public function test_login()
|
public function test_login()
|
||||||
{
|
{
|
||||||
$this->mockLdap->shouldReceive('connect')->once()->andReturn($this->resourceId);
|
$this->mockLdap->shouldReceive('connect')->once()->andReturn($this->resourceId);
|
||||||
@ -44,6 +58,7 @@ class LdapTest extends BrowserKitTest
|
|||||||
'dn' => ['dc=test' . config('services.ldap.base_dn')]
|
'dn' => ['dc=test' . config('services.ldap.base_dn')]
|
||||||
]]);
|
]]);
|
||||||
$this->mockLdap->shouldReceive('bind')->times(6)->andReturn(true);
|
$this->mockLdap->shouldReceive('bind')->times(6)->andReturn(true);
|
||||||
|
$this->mockEscapes(4);
|
||||||
|
|
||||||
$this->visit('/login')
|
$this->visit('/login')
|
||||||
->see('Username')
|
->see('Username')
|
||||||
@ -73,6 +88,7 @@ class LdapTest extends BrowserKitTest
|
|||||||
'mail' => [$this->mockUser->email]
|
'mail' => [$this->mockUser->email]
|
||||||
]]);
|
]]);
|
||||||
$this->mockLdap->shouldReceive('bind')->times(3)->andReturn(true);
|
$this->mockLdap->shouldReceive('bind')->times(3)->andReturn(true);
|
||||||
|
$this->mockEscapes(2);
|
||||||
|
|
||||||
$this->visit('/login')
|
$this->visit('/login')
|
||||||
->see('Username')
|
->see('Username')
|
||||||
@ -97,6 +113,7 @@ class LdapTest extends BrowserKitTest
|
|||||||
'dn' => ['dc=test' . config('services.ldap.base_dn')]
|
'dn' => ['dc=test' . config('services.ldap.base_dn')]
|
||||||
]]);
|
]]);
|
||||||
$this->mockLdap->shouldReceive('bind')->times(3)->andReturn(true, true, false);
|
$this->mockLdap->shouldReceive('bind')->times(3)->andReturn(true, true, false);
|
||||||
|
$this->mockEscapes(2);
|
||||||
|
|
||||||
$this->visit('/login')
|
$this->visit('/login')
|
||||||
->see('Username')
|
->see('Username')
|
||||||
@ -146,7 +163,7 @@ class LdapTest extends BrowserKitTest
|
|||||||
->dontSee('External Authentication');
|
->dontSee('External Authentication');
|
||||||
}
|
}
|
||||||
|
|
||||||
public function test_login_maps_roles_and_retains_existsing_roles()
|
public function test_login_maps_roles_and_retains_existing_roles()
|
||||||
{
|
{
|
||||||
$roleToReceive = factory(Role::class)->create(['name' => 'ldaptester', 'display_name' => 'LdapTester']);
|
$roleToReceive = factory(Role::class)->create(['name' => 'ldaptester', 'display_name' => 'LdapTester']);
|
||||||
$roleToReceive2 = factory(Role::class)->create(['name' => 'ldaptester-second', 'display_name' => 'LdapTester Second']);
|
$roleToReceive2 = factory(Role::class)->create(['name' => 'ldaptester-second', 'display_name' => 'LdapTester Second']);
|
||||||
@ -176,6 +193,8 @@ class LdapTest extends BrowserKitTest
|
|||||||
]
|
]
|
||||||
]]);
|
]]);
|
||||||
$this->mockLdap->shouldReceive('bind')->times(6)->andReturn(true);
|
$this->mockLdap->shouldReceive('bind')->times(6)->andReturn(true);
|
||||||
|
$this->mockEscapes(5);
|
||||||
|
$this->mockExplodes(6);
|
||||||
|
|
||||||
$this->visit('/login')
|
$this->visit('/login')
|
||||||
->see('Username')
|
->see('Username')
|
||||||
@ -227,6 +246,8 @@ class LdapTest extends BrowserKitTest
|
|||||||
]
|
]
|
||||||
]]);
|
]]);
|
||||||
$this->mockLdap->shouldReceive('bind')->times(5)->andReturn(true);
|
$this->mockLdap->shouldReceive('bind')->times(5)->andReturn(true);
|
||||||
|
$this->mockEscapes(4);
|
||||||
|
$this->mockExplodes(2);
|
||||||
|
|
||||||
$this->visit('/login')
|
$this->visit('/login')
|
||||||
->see('Username')
|
->see('Username')
|
||||||
@ -279,6 +300,8 @@ class LdapTest extends BrowserKitTest
|
|||||||
]
|
]
|
||||||
]]);
|
]]);
|
||||||
$this->mockLdap->shouldReceive('bind')->times(5)->andReturn(true);
|
$this->mockLdap->shouldReceive('bind')->times(5)->andReturn(true);
|
||||||
|
$this->mockEscapes(4);
|
||||||
|
$this->mockExplodes(2);
|
||||||
|
|
||||||
$this->visit('/login')
|
$this->visit('/login')
|
||||||
->see('Username')
|
->see('Username')
|
||||||
@ -328,6 +351,8 @@ class LdapTest extends BrowserKitTest
|
|||||||
]
|
]
|
||||||
]]);
|
]]);
|
||||||
$this->mockLdap->shouldReceive('bind')->times(6)->andReturn(true);
|
$this->mockLdap->shouldReceive('bind')->times(6)->andReturn(true);
|
||||||
|
$this->mockEscapes(5);
|
||||||
|
$this->mockExplodes(6);
|
||||||
|
|
||||||
$this->visit('/login')
|
$this->visit('/login')
|
||||||
->see('Username')
|
->see('Username')
|
||||||
|
@ -11,7 +11,7 @@ class LanguageTest extends TestCase
|
|||||||
public function setUp()
|
public function setUp()
|
||||||
{
|
{
|
||||||
parent::setUp();
|
parent::setUp();
|
||||||
$this->langs = array_diff(scandir(resource_path('lang')), ['..', '.', 'check.php']);
|
$this->langs = array_diff(scandir(resource_path('lang')), ['..', '.', 'check.php', 'format.php']);
|
||||||
}
|
}
|
||||||
|
|
||||||
public function test_locales_config_key_set_properly()
|
public function test_locales_config_key_set_properly()
|
||||||
@ -81,4 +81,30 @@ class LanguageTest extends TestCase
|
|||||||
$this->assertTrue(config('app.rtl'), "App RTL config should have been set to true by middleware");
|
$this->assertTrue(config('app.rtl'), "App RTL config should have been set to true by middleware");
|
||||||
}
|
}
|
||||||
|
|
||||||
|
public function test_de_informal_falls_base_to_de()
|
||||||
|
{
|
||||||
|
// Base de back value
|
||||||
|
$deBack = trans()->get('common.cancel', [], 'de', false);
|
||||||
|
$this->assertEquals('Abbrechen', $deBack);
|
||||||
|
// Ensure de_informal has no value set
|
||||||
|
$this->assertEquals('common.cancel', trans()->get('common.cancel', [], 'de_informal', false));
|
||||||
|
// Ensure standard trans falls back to de
|
||||||
|
$this->assertEquals($deBack, trans('common.cancel', [], 'de_informal'));
|
||||||
|
// Ensure de_informal gets its own values where set
|
||||||
|
$deEmailActionHelp = trans()->get('common.email_action_help', [], 'de', false);
|
||||||
|
$enEmailActionHelp = trans()->get('common.email_action_help', [], 'en', false);
|
||||||
|
$deInformalEmailActionHelp = trans()->get('common.email_action_help', [], 'de_informal', false);
|
||||||
|
$this->assertNotEquals($deEmailActionHelp, $deInformalEmailActionHelp);
|
||||||
|
$this->assertNotEquals($enEmailActionHelp, $deInformalEmailActionHelp);
|
||||||
|
}
|
||||||
|
|
||||||
|
public function test_de_informal_falls_base_to_de_in_js_endpoint()
|
||||||
|
{
|
||||||
|
$this->asEditor();
|
||||||
|
setting()->putUser($this->getEditor(), 'language', 'de_informal');
|
||||||
|
|
||||||
|
$transResp = $this->get('/translations');
|
||||||
|
$transResp->assertSee('"cancel":"Abbrechen"');
|
||||||
|
}
|
||||||
|
|
||||||
}
|
}
|
Loading…
x
Reference in New Issue
Block a user