mirror of
https://github.com/humhub/humhub.git
synced 2025-01-17 22:28:51 +01:00
Merge branch 'next' of github.com:humhub/humhub into next
# Conflicts: # index.php # protected/humhub/config/common.php # protected/yii
This commit is contained in:
commit
cbb0c094f4
37
.github/workflows/php-cs-fixer.yml
vendored
37
.github/workflows/php-cs-fixer.yml
vendored
@ -1,12 +1,19 @@
|
||||
name: PHP CS Fixer
|
||||
|
||||
on: [push]
|
||||
on:
|
||||
push:
|
||||
branches:
|
||||
- master
|
||||
- develop
|
||||
- next
|
||||
paths:
|
||||
- '**.php'
|
||||
|
||||
jobs:
|
||||
php-cs-fixer:
|
||||
runs-on: ubuntu-latest
|
||||
steps:
|
||||
- uses: actions/checkout@v3
|
||||
- uses: actions/checkout@v4
|
||||
|
||||
- name: Check the commit message for skipping PHP-CS-Fixer
|
||||
id: check_phpcs_skip
|
||||
@ -19,7 +26,7 @@ jobs:
|
||||
echo "Proceeding with PHP-CS-Fixer steps."
|
||||
fi
|
||||
|
||||
- uses: actions/cache@v3
|
||||
- uses: actions/cache@v4
|
||||
if: steps.check_phpcs_skip.outputs.skip == 'false'
|
||||
with:
|
||||
path: .php-cs-fixer.cache
|
||||
@ -33,8 +40,24 @@ jobs:
|
||||
with:
|
||||
args: --config=.php-cs-fixer.php
|
||||
|
||||
- name: Auto commit changes
|
||||
- name: Create branch and Pull Request for new changes
|
||||
if: steps.check_phpcs_skip.outputs.skip == 'false'
|
||||
uses: stefanzweifel/git-auto-commit-action@v5
|
||||
with:
|
||||
commit_message: Autocommit PHP CS Fixer
|
||||
run: |
|
||||
git config user.name "GitHub Action"
|
||||
git config user.email "action@github.com"
|
||||
if git diff --quiet; then
|
||||
echo "No changes detected by PHP-CS-Fixer. Skipping commit and PR creation."
|
||||
exit 0
|
||||
fi
|
||||
PHP_FIXER_DATETIME=$(date +%Y-%m-%d-%H%M%S)
|
||||
git checkout -b "php-fixer/$PHP_FIXER_DATETIME"
|
||||
git add -u
|
||||
git commit -m "Autocommit PHP CS Fixer"
|
||||
git push origin "php-fixer/$PHP_FIXER_DATETIME"
|
||||
gh pr create \
|
||||
--title "PHP CS Fixer $PHP_FIXER_DATETIME" \
|
||||
--body "This Pull Request includes automated changes from PHP-CS-Fixer." \
|
||||
--base "${{ github.ref_name }}" \
|
||||
--head "php-fixer/$PHP_FIXER_DATETIME"
|
||||
env:
|
||||
GH_TOKEN: ${{ secrets.GITHUB_TOKEN }}
|
||||
|
10
.github/workflows/php-test.yml
vendored
10
.github/workflows/php-test.yml
vendored
@ -58,8 +58,8 @@ jobs:
|
||||
run: |
|
||||
docker run --detach --net=host --shm-size="2g" selenium/standalone-chrome
|
||||
|
||||
- uses: actions/checkout@v3
|
||||
- uses: actions/setup-node@v3
|
||||
- uses: actions/checkout@v4
|
||||
- uses: actions/setup-node@v4
|
||||
|
||||
# - name: Setup cache environment
|
||||
# id: cache-env
|
||||
@ -70,7 +70,7 @@ jobs:
|
||||
# key: ${{ env.key }}
|
||||
|
||||
# - name: Cache extensions
|
||||
# uses: actions/cache@v3
|
||||
# uses: actions/cache@v4
|
||||
# with:
|
||||
# path: ${{ steps.cache-env.outputs.dir }}
|
||||
# key: ${{ steps.cache-env.outputs.key }}
|
||||
@ -91,7 +91,7 @@ jobs:
|
||||
run: composer validate
|
||||
|
||||
- name: Cache dependencies installed with composer
|
||||
uses: actions/cache@v3
|
||||
uses: actions/cache@v4
|
||||
with:
|
||||
path: ${{ env.COMPOSER_CACHE_DIR }}
|
||||
key: php${{ matrix.php-version }}-composer-${{ matrix.dependencies }}-${{ hashFiles('**/composer.json') }}
|
||||
@ -135,7 +135,7 @@ jobs:
|
||||
|
||||
- name: Upload Codeception Output
|
||||
if: failure()
|
||||
uses: actions/upload-artifact@v3
|
||||
uses: actions/upload-artifact@v4
|
||||
with:
|
||||
name: codeception-output
|
||||
path: protected/humhub/tests/codeception/_output/*
|
||||
|
@ -5,6 +5,7 @@ $finder = (new PhpCsFixer\Finder())
|
||||
'messages/',
|
||||
'views/',
|
||||
])
|
||||
->notPath('protected/humhub/config/assets-prod.php')
|
||||
->in([
|
||||
'protected/humhub',
|
||||
]);
|
||||
@ -17,4 +18,3 @@ return (new PhpCsFixer\Config())
|
||||
'single_line_empty_body' => false,
|
||||
])
|
||||
->setFinder($finder);
|
||||
|
||||
|
17
CHANGELOG.md
17
CHANGELOG.md
@ -7,19 +7,27 @@ HumHub Changelog
|
||||
- Enh #7332: Optimized `DynamicConfig` to store and read database information only
|
||||
- Enh #7338: Remove `horImageScrollOnMobile` config option
|
||||
|
||||
1.17.0-beta.3 (Unreleased)
|
||||
1.17.0-beta.4 (December 24, 2024)
|
||||
---------------------------------
|
||||
- Enh #7307: Improve request scheme detection
|
||||
- Fix #7308: Fix Hungarian symbol error in `Open Sans` font
|
||||
- Fix #7309: Fix style of the "Notification Settings" button on small screen
|
||||
- Fix #7312: Auto refresh a page with violated script-src because of obsolete nonce
|
||||
- Fix #7308: Fix Hungarian symbol error in `Open Sans` font
|
||||
- Fix #454: Profile about page missing left and right margin on mobile screen
|
||||
- Fix #7316: Fix formatter default time zone
|
||||
- Enh #7317: Space browser: Make the whole space card header and body clickable
|
||||
- Enh #7329: Add a new global "Manage Content" Group Permission (see [migration guide](https://github.com/humhub/humhub/blob/develop/MIGRATE-DEV.md#version-117-unreleased) for details)
|
||||
- Enh #7329: Add a new "Manage All Content" Group Permission (see [migration guide](https://github.com/humhub/humhub/blob/develop/MIGRATE-DEV.md#version-117-unreleased) for details)
|
||||
- Enh #7325: Add missing IDs in the modal login forms
|
||||
- Enh #7333: Improved Yii alias handling and added ENV support
|
||||
- Enh #7333: Improved Yii alias handling and added ENV support
|
||||
- Enh #7334: New safe method to rename a database column
|
||||
- Enh #7336: Update GitHub workflow versions
|
||||
- Enh #7339: Add `DeviceDetectorHelper::isMultiInstanceApp()` method to detect if the app is running in a multi-instance mode
|
||||
- Enh #7342: Mask .env `DB__PASSWORD` variable in logs
|
||||
- Enh #7344: Disable editing Base URL when setting is fixed
|
||||
- Fix #7345: Fix debug mode setting in .env
|
||||
- Enh #7349: Add body classes about the current device and methods to the `DeviceDetectorHelper` class
|
||||
- Enh #7353: Enable dot env to read variables based on application type
|
||||
|
||||
1.17.0-beta.2 (November 12, 2024)
|
||||
---------------------------------
|
||||
@ -35,6 +43,7 @@ HumHub Changelog
|
||||
- Fix #7301: Profile header: on small screens, the space at the left and the right of the image must be equal
|
||||
- Fix #7298: Don't check email for existing on password recovery (CVE-2024-52043)
|
||||
- Enh #7038: Optimize notification overview
|
||||
- Enh #7346: Change cache settings keys to meet dot env naming
|
||||
|
||||
1.17.0-beta.1 (October 28, 2024)
|
||||
--------------------------------
|
||||
@ -118,6 +127,8 @@ HumHub Changelog
|
||||
- Fix #7296: Fix email validation of invite new users
|
||||
- Fix #7319: Display correct profile field value in user subtitle
|
||||
- Fix #7322: Always allow invitation by link from Administration. Implement separate invitation by link from People.
|
||||
- Enh #7335: Update GitHub workflow versions
|
||||
- Fix #7351: Fix caching of space permissions in user stream
|
||||
- Fix #7297: Auto refresh a page with obsolete nonce value
|
||||
|
||||
1.16.2 (September 5, 2024)
|
||||
|
@ -8,16 +8,19 @@ Version 1.17 (Unreleased)
|
||||
### Behaviour change
|
||||
|
||||
- Forms in modal box no longer have focus automatically on the first field. [The `autofocus` attribute](https://developer.mozilla.org/docs/Web/HTML/Global_attributes/autofocus) is now required on the field. More info: [#7136](https://github.com/humhub/humhub/issues/7136)
|
||||
- The new global "Manage Content" Group Permission allows viewing and editing all content event if the user has no permission to "Manage Users" or "Manage Spaces"
|
||||
- The new "Manage All Content" Group Permission allows managing all content (view, edit, move, archive, pin, etc.) even if the user is not a super administrator. It is disabled by default. It can be enabled via the configuration file, using the `\humhub\modules\admin\Module::$enableManageAllContentPermission` option.
|
||||
- Users allowed to "Manage Users" can no longer move all content: they need to be allowed to "Manage All Content".
|
||||
|
||||
### New
|
||||
- CSS variables: `--hh-fixed-header-height` and `--hh-fixed-footer-height` (see [#7131](https://github.com/humhub/humhub/issues/7131)): these variables should be added to custom themes in the `variables.less` file to overwrite the fixed header (e.g. the top menu + margins) and footer heights with the ones of the custom theme.
|
||||
- `\humhub\modules\user\Module::enableRegistrationFormCaptcha` which is true by default (can be disabled via [file configuration](https://docs.humhub.org/docs/admin/advanced-configuration#module-configurations))
|
||||
- `\humhub\modules\user\Module::$passwordHint` (see [#5423](https://github.com/humhub/humhub/issues/5423))
|
||||
- New methods in the `DeviceDetectorHelper` class: `isMobile()`, `isTablet()`, `getBodyClasses()`, `isMultiInstanceApp()` and `appOpenerState()`
|
||||
- HTML classes about the current device (see list in `DeviceDetectorHelper::getBodyClasses()`)
|
||||
|
||||
### Deprecated
|
||||
- `\humhub\modules\ui\menu\MenuEntry::isActiveState()` use `\humhub\helpers\ControllerHelper::isActivePath()` instead
|
||||
- `\humhub\modules\content\Module::$adminCanViewAllContent` and `\humhub\modules\content\Module::adminCanEditAllContent` use `\humhub\modules\admin\Module::$enableGlobalManageContentPermission` instead which enables the "Manage All Content" Group Permission
|
||||
- `\humhub\modules\content\Module::$adminCanViewAllContent` and `\humhub\modules\content\Module::adminCanEditAllContent` use `\humhub\modules\admin\Module::$enableManageAllContentPermission` instead which enables the "Manage All Content" Group Permission
|
||||
- `\humhub\modules\user\models\User::canViewAllContent()` use `\humhub\modules\user\models\User::canManageAllContent()` instead
|
||||
|
||||
### Removed
|
||||
|
@ -87,7 +87,8 @@
|
||||
"yiisoft/yii2-jui": "^2.0.0",
|
||||
"yiisoft/yii2-queue": "^2.3.0",
|
||||
"yiisoft/yii2-redis": "^2.0.0",
|
||||
"yiisoft/yii2-symfonymailer": "^2.0"
|
||||
"yiisoft/yii2-symfonymailer": "^2.0",
|
||||
"mobiledetect/mobiledetectlib": "4.8.09"
|
||||
},
|
||||
"replace": {
|
||||
},
|
||||
|
989
composer.lock
generated
989
composer.lock
generated
File diff suppressed because it is too large
Load Diff
@ -34,7 +34,7 @@ $config = yii\helpers\ArrayHelper::merge(
|
||||
// add more configurations here
|
||||
(is_readable(__DIR__ . '/protected/humhub/tests/codeception/config/dynamic.php')) ? require(__DIR__ . '/protected/humhub/tests/codeception/config/dynamic.php') : [],
|
||||
require(__DIR__ . '/protected/humhub/tests/codeception/config/acceptance.php'),
|
||||
humhub\helpers\EnvHelper::toConfig($_ENV),
|
||||
humhub\helpers\EnvHelper::toConfig($_ENV, \humhub\components\Application::class),
|
||||
);
|
||||
|
||||
require_once './protected/vendor/codeception/codeception/autoload.php';
|
||||
|
@ -26,7 +26,7 @@ $config = yii\helpers\ArrayHelper::merge(
|
||||
require(__DIR__ . '/protected/config/common.php'),
|
||||
require(__DIR__ . '/protected/config/web.php'),
|
||||
$dynamicConfig,
|
||||
humhub\helpers\EnvHelper::toConfig($_ENV),
|
||||
humhub\helpers\EnvHelper::toConfig($_ENV, \humhub\components\Application::class),
|
||||
);
|
||||
|
||||
try {
|
||||
|
@ -104,4 +104,40 @@ class Formatter extends \yii\i18n\Formatter
|
||||
return Yii::t('base', '{nFormatted}B', $params, $this->language); // Billion
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Fix unicode chars
|
||||
*
|
||||
* @param string $value
|
||||
* @return string
|
||||
*/
|
||||
private function fixUnicodeChars($value): string
|
||||
{
|
||||
// Replace newly introduced Unicode separator whitespace, which a standard one, to sway backward compatible.
|
||||
return str_replace(' ', ' ', $value);
|
||||
}
|
||||
|
||||
/**
|
||||
* @inheritdoc
|
||||
*/
|
||||
public function asDate($value, $format = null)
|
||||
{
|
||||
return $this->fixUnicodeChars(parent::asDate($value, $format));
|
||||
}
|
||||
|
||||
/**
|
||||
* @inheritdoc
|
||||
*/
|
||||
public function asTime($value, $format = null)
|
||||
{
|
||||
return $this->fixUnicodeChars(parent::asTime($value, $format));
|
||||
}
|
||||
|
||||
/**
|
||||
* @inheritdoc
|
||||
*/
|
||||
public function asDatetime($value, $format = null)
|
||||
{
|
||||
return $this->fixUnicodeChars(parent::asDatetime($value, $format));
|
||||
}
|
||||
}
|
||||
|
@ -3,7 +3,7 @@
|
||||
/**
|
||||
* This file is generated by the "yii asset" command.
|
||||
* DO NOT MODIFY THIS FILE DIRECTLY.
|
||||
* @version 2024-10-28 15:21:04
|
||||
* @version 2024-12-16 17:41:02
|
||||
*/
|
||||
return [
|
||||
'app' => [
|
||||
|
@ -20,11 +20,31 @@ if (!defined('PKCS7_DETACHED')) {
|
||||
define('PKCS7_DETACHED', 64);
|
||||
}
|
||||
|
||||
$logTargetConfig = [
|
||||
'levels' => ['error', 'warning'],
|
||||
'except' => [
|
||||
'yii\web\HttpException:400',
|
||||
'yii\web\HttpException:401',
|
||||
'yii\web\HttpException:403',
|
||||
'yii\web\HttpException:404',
|
||||
'yii\web\HttpException:405',
|
||||
'yii\web\User::getIdentityAndDurationFromCookie',
|
||||
'yii\web\User::renewAuthStatus',
|
||||
],
|
||||
'logVars' => ['_GET', '_SERVER'],
|
||||
'maskVars' => [
|
||||
'_SERVER.HTTP_AUTHORIZATION',
|
||||
'_SERVER.PHP_AUTH_USER',
|
||||
'_SERVER.PHP_AUTH_PW',
|
||||
'_SERVER.HUMHUB_CONFIG__COMPONENTS__DB__PASSWORD',
|
||||
],
|
||||
];
|
||||
|
||||
$config = [
|
||||
'name' => 'HumHub',
|
||||
'language' => 'en-US',
|
||||
'timeZone' => 'Europe/Berlin',
|
||||
'version' => '1.17.0-beta.2',
|
||||
'version' => '1.17.0-beta.4',
|
||||
'minRecommendedPhpVersion' => '8.1',
|
||||
'minSupportedPhpVersion' => '8.1',
|
||||
'basePath' => dirname(__DIR__) . DIRECTORY_SEPARATOR . '..' . DIRECTORY_SEPARATOR,
|
||||
@ -64,34 +84,14 @@ $config = [
|
||||
'log' => [
|
||||
'traceLevel' => YII_DEBUG ? 3 : 0,
|
||||
'targets' => [
|
||||
\yii\log\FileTarget::class => [
|
||||
'class' => \yii\log\FileTarget::class,
|
||||
'levels' => ['error', 'warning'],
|
||||
'except' => [
|
||||
'yii\web\HttpException:400',
|
||||
'yii\web\HttpException:401',
|
||||
'yii\web\HttpException:403',
|
||||
'yii\web\HttpException:404',
|
||||
'yii\web\HttpException:405',
|
||||
'yii\web\User::getIdentityAndDurationFromCookie',
|
||||
'yii\web\User::renewAuthStatus',
|
||||
],
|
||||
'logVars' => ['_GET', '_SERVER'],
|
||||
],
|
||||
\yii\log\DbTarget::class => [
|
||||
'class' => \yii\log\DbTarget::class,
|
||||
'levels' => ['error', 'warning'],
|
||||
'except' => [
|
||||
'yii\web\HttpException:400',
|
||||
'yii\web\HttpException:401',
|
||||
'yii\web\HttpException:403',
|
||||
'yii\web\HttpException:404',
|
||||
'yii\web\HttpException:405',
|
||||
'yii\web\User::getIdentityAndDurationFromCookie',
|
||||
'yii\web\User::renewAuthStatus',
|
||||
],
|
||||
'logVars' => ['_GET', '_SERVER'],
|
||||
],
|
||||
\yii\log\FileTarget::class => \yii\helpers\ArrayHelper::merge(
|
||||
['class' => \yii\log\FileTarget::class],
|
||||
$logTargetConfig,
|
||||
),
|
||||
\yii\log\DbTarget::class => \yii\helpers\ArrayHelper::merge(
|
||||
['class' => \yii\log\DbTarget::class],
|
||||
$logTargetConfig,
|
||||
),
|
||||
],
|
||||
],
|
||||
'settings' => [
|
||||
|
@ -9,6 +9,8 @@
|
||||
|
||||
namespace humhub\helpers;
|
||||
|
||||
use Detection\Exception\MobileDetectException;
|
||||
use Detection\MobileDetect;
|
||||
use Yii;
|
||||
|
||||
/**
|
||||
@ -16,6 +18,32 @@ use Yii;
|
||||
*/
|
||||
class DeviceDetectorHelper
|
||||
{
|
||||
public static function isMobile(): bool
|
||||
{
|
||||
$detect = new MobileDetect();
|
||||
$detect->setUserAgent(Yii::$app->request->getUserAgent());
|
||||
|
||||
try {
|
||||
return $detect->isMobile();
|
||||
} catch (MobileDetectException $e) {
|
||||
Yii::error('DeviceDetectorHelper::isMobile() error: ' . $e->getMessage());
|
||||
return false;
|
||||
}
|
||||
}
|
||||
|
||||
public static function isTablet(): bool
|
||||
{
|
||||
$detect = new MobileDetect();
|
||||
$detect->setUserAgent(Yii::$app->request->getUserAgent());
|
||||
|
||||
try {
|
||||
return $detect->isTablet();
|
||||
} catch (MobileDetectException $e) {
|
||||
Yii::error('DeviceDetectorHelper::isTablet() error: ' . $e->getMessage());
|
||||
return false;
|
||||
}
|
||||
}
|
||||
|
||||
public static function isAppRequest(): bool
|
||||
{
|
||||
return
|
||||
@ -52,8 +80,52 @@ class DeviceDetectorHelper
|
||||
&& Yii::$app->request->headers->get('x-humhub-app-is-android');
|
||||
}
|
||||
|
||||
/**
|
||||
* True if the mobile app can support multiple HumHub instances.
|
||||
* Requires HumHub mobile app v1.0.124 or later.
|
||||
*/
|
||||
public static function isMultiInstanceApp(): bool
|
||||
{
|
||||
return
|
||||
static::isAppRequest()
|
||||
&& Yii::$app->request->headers->get('x-humhub-app-is-multi-instance');
|
||||
}
|
||||
|
||||
/**
|
||||
* True if the mobile app Opener landing page is visible and should be hidden.
|
||||
* Requires HumHub mobile app v1.0.124 or later.
|
||||
*/
|
||||
public static function appOpenerState(): bool
|
||||
{
|
||||
return
|
||||
static::isAppRequest()
|
||||
&& Yii::$app->request->headers->get('x-humhub-app-opener-state');
|
||||
}
|
||||
|
||||
public static function isMicrosoftOffice(): bool
|
||||
{
|
||||
return str_contains((string)Yii::$app->request->getUserAgent(), 'Microsoft Office');
|
||||
}
|
||||
|
||||
public static function getBodyClasses(): array
|
||||
{
|
||||
$classes = [];
|
||||
|
||||
if (static::isAppRequest()) {
|
||||
$classes[] = 'device-mobile-app';
|
||||
if (static::isIosApp()) {
|
||||
$classes[] = 'device-ios-mobile-app';
|
||||
} elseif (static::isAndroidApp()) {
|
||||
$classes[] = 'device-android-mobile-app';
|
||||
}
|
||||
} elseif (static::isMobile()) {
|
||||
$classes[] = 'device-mobile';
|
||||
} elseif (static::isTablet()) {
|
||||
$classes[] = 'device-tablet';
|
||||
} else {
|
||||
$classes[] = 'device-desktop';
|
||||
}
|
||||
|
||||
return $classes;
|
||||
}
|
||||
}
|
||||
|
@ -3,6 +3,7 @@
|
||||
namespace humhub\helpers;
|
||||
|
||||
use yii\base\InvalidArgumentException;
|
||||
use yii\helpers\ArrayHelper;
|
||||
use yii\helpers\Inflector;
|
||||
use yii\helpers\Json;
|
||||
use yii\helpers\StringHelper;
|
||||
@ -11,12 +12,13 @@ class EnvHelper
|
||||
{
|
||||
private const FIXED_SETTING_PREFIX = 'HUMHUB_FIXED_SETTINGS';
|
||||
private const MAIN_PREFIX = 'HUMHUB_CONFIG';
|
||||
private const WEB_PREFIX = 'HUMHUB_WEB_CONFIG';
|
||||
private const CLI_PREFIX = 'HUMHUB_CLI_CONFIG';
|
||||
private const FIXED_SETTINGS_PATH = ['params', 'fixed-settings'];
|
||||
private const DEPTH_SEPARATOR = '__';
|
||||
|
||||
private const ALIASES_PREFIX = 'HUMHUB_ALIASES';
|
||||
|
||||
public static function toConfig(?array $env = []): array
|
||||
public static function toConfig(?array $env = [], ?string $applicationType = null): array
|
||||
{
|
||||
$config = [];
|
||||
|
||||
@ -38,14 +40,22 @@ class EnvHelper
|
||||
$value,
|
||||
);
|
||||
}
|
||||
if (StringHelper::startsWith($key, self::MAIN_PREFIX . self::DEPTH_SEPARATOR)) {
|
||||
ArrayHelper::setValue(
|
||||
$config,
|
||||
[
|
||||
...self::keyToPath(str_replace(self::MAIN_PREFIX . self::DEPTH_SEPARATOR, '', $key)),
|
||||
],
|
||||
$value,
|
||||
);
|
||||
|
||||
foreach (
|
||||
ArrayHelper::getValue([
|
||||
\humhub\components\Application::class => [self::MAIN_PREFIX, self::WEB_PREFIX],
|
||||
\humhub\components\console\Application::class => [self::MAIN_PREFIX, self::CLI_PREFIX],
|
||||
], $applicationType, [self::MAIN_PREFIX]) as $prefix
|
||||
) {
|
||||
if (StringHelper::startsWith($key, $prefix . self::DEPTH_SEPARATOR)) {
|
||||
ArrayHelper::setValue(
|
||||
$config,
|
||||
[
|
||||
...self::keyToPath(str_replace($prefix . self::DEPTH_SEPARATOR, '', $key)),
|
||||
],
|
||||
$value,
|
||||
);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -432,13 +432,13 @@ class SelfTest
|
||||
|
||||
$title = Yii::t('AdminModule.information', 'Settings') . ' - ' . Yii::t('AdminModule.information', 'Base URL');
|
||||
$scheme = Yii::$app->request->getIsSecureConnection() ? 'https' : 'http';
|
||||
|
||||
$port = Yii::$app->request->getServerPort();
|
||||
$currentBaseUrl = $scheme . '://' . preg_replace('/:\d+$/', '', $_SERVER['HTTP_HOST'])
|
||||
. (
|
||||
($scheme === 'https' && $_SERVER['SERVER_PORT'] == 443) ||
|
||||
($scheme === 'http' && $_SERVER['SERVER_PORT'] == 80)
|
||||
($scheme === 'https' && $port == 443) ||
|
||||
($scheme === 'http' && $port == 80)
|
||||
? ''
|
||||
: ':' . $_SERVER['SERVER_PORT']
|
||||
: ':' . $port
|
||||
)
|
||||
. ($_SERVER['BASE'] ?? '');
|
||||
if ($currentBaseUrl === Yii::$app->settings->get('baseUrl')) {
|
||||
|
File diff suppressed because one or more lines are too long
@ -1,18 +1,17 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'<strong>Login</strong> required' => 'Es necesario <strong>iniciar sesión</strong>',
|
||||
'An internal server error occurred.' => 'Un error interno ha ocurrido',
|
||||
'Guest mode not active, please login first.' => 'El modo de Invitados no está activo. Por favor autentíquese.',
|
||||
'Login required for this section.' => 'Se requiere autenticación para acceder a esta sección.',
|
||||
'Maintenance mode activated: You have been automatically logged out and will no longer have access the platform until the maintenance has been completed.' => 'Modo de mantenimiento activado: Has sido desconectado automáticamente y ya no tendrás acceso a la plataforma hasta que se haya completado las labores de mantención.',
|
||||
'Maintenance mode is active. Only Administrators can access the platform.' => 'El modo de mantenimiento está activo. Solo los administradores pueden acceder a la plataforma.',
|
||||
'The specified URL cannot be called directly.' => 'No se puede llamar directamente a la URL especificada.',
|
||||
'You are not allowed to perform this action.' => 'Usted no tiene permisos para ejecutar esta acción',
|
||||
'You are not permitted to access this section.' => 'No está autorizado a acceder a esta sección.',
|
||||
'You must change password.' => 'Tienes que cambiar la clave.',
|
||||
'You need admin permissions to access this section.' => 'Se necesitan credenciales de administrador para acceder a esta sección.',
|
||||
'Your user account has not been approved yet, please try again later or contact a network administrator.' => 'Su cuenta de usuario aún no ha sido aprobada. Por favor inténtelo más tarde o póngase en contacto con un administrador de red.',
|
||||
'Your user account is inactive, please login with an active account or contact a network administrator.' => 'Su cuenta de usuario está inactiva. Por favor autentíquese con una cuenta de usuario activa o contacte con un administrador de red.',
|
||||
'The module {moduleId} is present in the HumHub configuration file even though this module is disabled. Please remove it from the configuration.' => '',
|
||||
'<strong>Login</strong> required' => 'Es necesario <strong>iniciar sesión</strong>',
|
||||
'An internal server error occurred.' => 'Un error interno ha ocurrido',
|
||||
'Guest mode not active, please login first.' => 'El modo de Invitados no está activo. Por favor autentíquese.',
|
||||
'Login required for this section.' => 'Se requiere autenticación para acceder a esta sección.',
|
||||
'Maintenance mode activated: You have been automatically logged out and will no longer have access the platform until the maintenance has been completed.' => 'Modo de mantenimiento activado: Has sido desconectado automáticamente y ya no tendrás acceso a la plataforma hasta que se haya completado las labores de mantención.',
|
||||
'Maintenance mode is active. Only Administrators can access the platform.' => 'El modo de mantenimiento está activo. Solo los administradores pueden acceder a la plataforma.',
|
||||
'The module {moduleId} is present in the HumHub configuration file even though this module is disabled. Please remove it from the configuration.' => 'El módulo {moduleId} está presente en el fichero de configuración de HumHub a pesar de que este módulo está deshabilitado. Por favor elimínalo de la configuración.',
|
||||
'The specified URL cannot be called directly.' => 'No se puede llamar directamente a la URL especificada.',
|
||||
'You are not allowed to perform this action.' => 'Usted no tiene permisos para ejecutar esta acción',
|
||||
'You are not permitted to access this section.' => 'No está autorizado a acceder a esta sección.',
|
||||
'You must change password.' => 'Tienes que cambiar la clave.',
|
||||
'You need admin permissions to access this section.' => 'Se necesitan credenciales de administrador para acceder a esta sección.',
|
||||
'Your user account has not been approved yet, please try again later or contact a network administrator.' => 'Su cuenta de usuario aún no ha sido aprobada. Por favor inténtelo más tarde o póngase en contacto con un administrador de red.',
|
||||
'Your user account is inactive, please login with an active account or contact a network administrator.' => 'Su cuenta de usuario está inactiva. Por favor autentíquese con una cuenta de usuario activa o contacte con un administrador de red.',
|
||||
];
|
||||
|
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
@ -1,5 +1,5 @@
|
||||
<?php
|
||||
return array (
|
||||
return [
|
||||
'<strong>Confirm</strong> Action' => '<strong>確認</strong> アクション',
|
||||
'<strong>Latest</strong> updates' => '<strong>最新</strong>情報',
|
||||
'<strong>Mail</strong> summary' => '<strong>メール</strong>サマリー',
|
||||
@ -95,4 +95,4 @@ X = [a-fA-F0-9]、波括弧と区切りダッシュは両方ともオプショ
|
||||
'{nFormatted}B' => '{nFormatted}B',
|
||||
'{nFormatted}K' => '{nFormatted}K',
|
||||
'{nFormatted}M' => '{nFormatted}M',
|
||||
);
|
||||
];
|
||||
|
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
@ -1,18 +1,17 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'<strong>Login</strong> required' => 'Pole <strong>Login</strong> jest wymagane',
|
||||
'An internal server error occurred.' => 'Wystąpił wewnętrzny błąd serwera',
|
||||
'Guest mode not active, please login first.' => 'Dostęp dla gości niemożliwy, proszę się najpierw zalogować.',
|
||||
'Login required for this section.' => 'Dla tej sekcji wymagane jest zalogowanie się.',
|
||||
'Maintenance mode activated: You have been automatically logged out and will no longer have access the platform until the maintenance has been completed.' => 'Tryb konserwacji aktywny: Zostałeś automatycznie wylogowany i nie będziesz miał dostępu do platformy do czasu zakończenia prac konserwacyjnych.',
|
||||
'Maintenance mode is active. Only Administrators can access the platform.' => 'Tryb konserwacji jest aktywny. Tylko administratorzy mają dostęp do platformy.',
|
||||
'The specified URL cannot be called directly.' => 'Podany adres nie może zostać wywołany bezpośrednio.',
|
||||
'You are not allowed to perform this action.' => 'Brak uprawnień do przeprowadzenia tej operacji.',
|
||||
'You are not permitted to access this section.' => 'Nie masz uprawnień do przeglądania tej sekcji.',
|
||||
'You must change password.' => 'Musisz zmienić hasło.',
|
||||
'You need admin permissions to access this section.' => 'Konieczna jest zgoda administratora, aby przejść do tej sekcji.',
|
||||
'Your user account has not been approved yet, please try again later or contact a network administrator.' => 'Twoje konto nie jest jeszcze zaakceptowane, spróbuj później lub skontaktuj się z administratorem.',
|
||||
'Your user account is inactive, please login with an active account or contact a network administrator.' => 'Twoje konto użytkownika nie jest jeszcze aktywowane, proszę zalogować się używając aktywnego konta lub skontaktowanie się z administratorem.',
|
||||
'The module {moduleId} is present in the HumHub configuration file even though this module is disabled. Please remove it from the configuration.' => '',
|
||||
'<strong>Login</strong> required' => 'Pole <strong>Login</strong> jest wymagane',
|
||||
'An internal server error occurred.' => 'Wystąpił wewnętrzny błąd serwera',
|
||||
'Guest mode not active, please login first.' => 'Dostęp dla gości niemożliwy, proszę się najpierw zalogować.',
|
||||
'Login required for this section.' => 'Dla tej sekcji wymagane jest zalogowanie się.',
|
||||
'Maintenance mode activated: You have been automatically logged out and will no longer have access the platform until the maintenance has been completed.' => 'Tryb konserwacji aktywny: Zostałeś automatycznie wylogowany i nie będziesz miał dostępu do platformy do czasu zakończenia prac konserwacyjnych.',
|
||||
'Maintenance mode is active. Only Administrators can access the platform.' => 'Tryb konserwacji jest aktywny. Tylko administratorzy mają dostęp do platformy.',
|
||||
'The module {moduleId} is present in the HumHub configuration file even though this module is disabled. Please remove it from the configuration.' => 'Wyłączony moduł {moduleId} jest wpisany do pliku konfiguracyjnego HumHub. Proszę usuń go z konfiguracji.',
|
||||
'The specified URL cannot be called directly.' => 'Podany adres nie może zostać wywołany bezpośrednio.',
|
||||
'You are not allowed to perform this action.' => 'Brak uprawnień do przeprowadzenia tej operacji.',
|
||||
'You are not permitted to access this section.' => 'Nie masz uprawnień do przeglądania tej sekcji.',
|
||||
'You must change password.' => 'Musisz zmienić hasło.',
|
||||
'You need admin permissions to access this section.' => 'Konieczna jest zgoda administratora, aby przejść do tej sekcji.',
|
||||
'Your user account has not been approved yet, please try again later or contact a network administrator.' => 'Twoje konto nie jest jeszcze zaakceptowane, spróbuj później lub skontaktuj się z administratorem.',
|
||||
'Your user account is inactive, please login with an active account or contact a network administrator.' => 'Twoje konto użytkownika nie jest jeszcze aktywowane, proszę zalogować się używając aktywnego konta lub skontaktowanie się z administratorem.',
|
||||
];
|
||||
|
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
@ -1,7 +1,7 @@
|
||||
<?php
|
||||
return array (
|
||||
'<strong>Confirm</strong> Action' => '<strong>Подтвердите</strong> действие',
|
||||
'<strong>Latest</strong> updates' => '<strong>Последние</strong> обновления',
|
||||
return [
|
||||
'<strong>Confirm</strong> Action' => '<strong>Подтвердите действие</strong>',
|
||||
'<strong>Latest</strong> updates' => '<strong>Последние обновления</strong>',
|
||||
'<strong>Mail</strong> summary' => '<strong>Email рассылка</strong>',
|
||||
'Actions' => 'Действия',
|
||||
'Add:' => 'Добавить:',
|
||||
@ -13,7 +13,7 @@ return array (
|
||||
'An error occurred while handling your last action. (Handler not found).' => 'Произошла ошибка при обработке вашего последнего действия. (Обработчик не найден).',
|
||||
'An unexpected error occurred while loading the search result.' => 'Произошла непредвиденная ошибка при загрузке результата поиска.',
|
||||
'An unexpected error occurred. If this keeps happening, please contact a site administrator.' => 'Произошла непредвиденная ошибка. Если это повторяется постоянно, обратитесь к администратору сайта.',
|
||||
'An unexpected error occurred. Please check whether your file exceeds the allowed upload limit of {maxUploadSize}.' => 'Произошла непредвиденная ошибка. Проверьте, не превышает ли ваш файл разрешенный лимит загрузки {maxUploadSize}.',
|
||||
'An unexpected error occurred. Please check whether your file exceeds the allowed upload limit of {maxUploadSize}.' => 'Произошла непредвиденная ошибка. Проверьте, не превышает ли ваш файл разрешённый лимит загрузки {maxUploadSize}.',
|
||||
'An unexpected server error occurred. If this keeps happening, please contact a site administrator.' => 'Произошла непредвиденная ошибка сервера. Если это повторяется постоянно, обратитесь к администратору сайта.',
|
||||
'Back' => 'Назад',
|
||||
'Back to dashboard' => 'Вернуться на главную',
|
||||
@ -75,8 +75,8 @@ return array (
|
||||
'The date has to be in the past.' => 'Дата должна быть в прошлом.',
|
||||
'The file has been deleted.' => 'Файл был удалён.',
|
||||
'The requested resource could not be found.' => 'Запрошенный ресурс не найден.',
|
||||
'The space has been archived.' => 'Пространство было архивировано.',
|
||||
'The space has been unarchived.' => 'Пространство было разархивировано.',
|
||||
'The space has been archived.' => 'Сообщество было архивировано.',
|
||||
'The space has been unarchived.' => 'Сообщество было разархивировано.',
|
||||
'Time Zone' => 'Часовой пояс',
|
||||
'Toggle comment menu' => 'Переключить меню комментариев',
|
||||
'Toggle panel menu' => 'Переключить панель меню',
|
||||
@ -87,11 +87,11 @@ return array (
|
||||
'Upload' => 'Загрузить',
|
||||
'Upload file' => 'Загрузить файл',
|
||||
'You are not allowed to run this action.' => 'Вы не можете запускать это действие.',
|
||||
'verify your upload_max_filesize and post_max_size php settings.' => 'проверьте настройки PHP upload_max_filesize и post_max_size.',
|
||||
'{attribute} has been empty. The system-configured function to fill empty values has returned an invalid value. Please try again or contact your administrator.' => '{attribute} пуст. Настроенная системой функция для заполнения пустых значений вернула недопустимое значение. Пожалуйста, попробуйте еще раз или обратитесь к администратору.',
|
||||
'{attribute} must be a string (UUID) or null; {type} given.' => '{attribute} должен быть строкой (UUID) или нулевым значением; Указан {type}.',
|
||||
'verify your upload_max_filesize and post_max_size php settings.' => 'проверьте свои настройки php для upload_max_filesize и post_max_size.',
|
||||
'{attribute} has been empty. The system-configured function to fill empty values has returned an invalid value. Please try again or contact your administrator.' => 'Атрибут {attribute} был пустым. Настроенная системой функция для заполнения пустых значений вернула недопустимое значение. Повторите попытку или обратитесь к своему администратору.',
|
||||
'{attribute} must be a string (UUID) or null; {type} given.' => '{attribute} должен быть строкой (UUID) или null; задан тип: {type}.',
|
||||
'{attribute} must be an UUID or null. UUID has the format "{{XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX}}", where X = [a-fA-F0-9] and both curly brackets and delimiting dashes are optional.' => '{attribute} должен быть UUID или нулевым. UUID имеет формат «{{XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX}}», где X = [a-fA-F0-9], а фигурные скобки и разделительные тире являются необязательными.',
|
||||
'{nFormatted}B' => '{nFormatted}B',
|
||||
'{nFormatted}K' => '{nFormatted}K',
|
||||
'{nFormatted}M' => '{nFormatted}M',
|
||||
);
|
||||
];
|
||||
|
@ -1,18 +1,17 @@
|
||||
<?php
|
||||
|
||||
<?php /* Translated by Paul (https://paul.bid) www.paul.bid@gmail.com */
|
||||
return [
|
||||
'<strong>Login</strong> required' => 'Необходима <strong>авторизация</strong>',
|
||||
'An internal server error occurred.' => 'Произошла внутренняя ошибка сервера.',
|
||||
'Guest mode not active, please login first.' => 'Гостевой режим недоступен, пожалуйста авторизуйтесь.',
|
||||
'Login required for this section.' => 'Для доступа к этому разделу требуется авторизация.',
|
||||
'Maintenance mode activated: You have been automatically logged out and will no longer have access the platform until the maintenance has been completed.' => 'Активирован режим обслуживания: вы автоматически вышли из системы и больше не будете иметь доступа к платформе до тех пор, пока обслуживание не будет завершено.',
|
||||
'Maintenance mode is active. Only Administrators can access the platform.' => 'Режим обслуживания активен. Доступ к платформе имеют только администраторы.',
|
||||
'The specified URL cannot be called directly.' => 'Указанный URL-адрес не может быть вызван напрямую.',
|
||||
'You are not allowed to perform this action.' => 'Вы не можете выполнить это действие.',
|
||||
'You are not permitted to access this section.' => 'Нет доступа к этому разделу.',
|
||||
'You must change password.' => 'Вы должны сменить пароль.',
|
||||
'You need admin permissions to access this section.' => 'Для доступа к этому разделу требуются права администратора.',
|
||||
'Your user account has not been approved yet, please try again later or contact a network administrator.' => 'Ваша учётная запись ещё не подтверждена, повторите попытку позже или обратитесь к администратору сайта.',
|
||||
'Your user account is inactive, please login with an active account or contact a network administrator.' => 'Ваша учётная запись не активна, пожалуйста войдите используя активную учётную запись или свяжитесь с администратором сайта.',
|
||||
'The module {moduleId} is present in the HumHub configuration file even though this module is disabled. Please remove it from the configuration.' => '',
|
||||
'<strong>Login</strong> required' => 'Необходима <strong>авторизация</strong>',
|
||||
'An internal server error occurred.' => 'Произошла внутренняя ошибка сервера.',
|
||||
'Guest mode not active, please login first.' => 'Гостевой режим недоступен, пожалуйста авторизуйтесь.',
|
||||
'Login required for this section.' => 'Для доступа к этому разделу требуется авторизация.',
|
||||
'Maintenance mode activated: You have been automatically logged out and will no longer have access the platform until the maintenance has been completed.' => 'Активирован режим технического обслуживания: вы автоматически вышли из системы и больше не будете иметь доступа к сайту до завершения технического обслуживания.',
|
||||
'Maintenance mode is active. Only Administrators can access the platform.' => 'Режим технического обслуживания активен. Только администраторы могут получить доступ к сайту.',
|
||||
'The module {moduleId} is present in the HumHub configuration file even though this module is disabled. Please remove it from the configuration.' => 'Модуль {moduleId} присутствует в файле конфигурации HumHub, хотя этот модуль отключён. Пожалуйста, удалите его из вашей конфигурации HumHub.',
|
||||
'The specified URL cannot be called directly.' => 'Указанный URL-адрес не может быть открыт напрямую.',
|
||||
'You are not allowed to perform this action.' => 'Вы не можете выполнить это действие.',
|
||||
'You are not permitted to access this section.' => 'Нет доступа к этому разделу.',
|
||||
'You must change password.' => 'Вы должны сменить пароль.',
|
||||
'You need admin permissions to access this section.' => 'Для доступа к этому разделу требуются права администратора.',
|
||||
'Your user account has not been approved yet, please try again later or contact a network administrator.' => 'Ваша учётная запись ещё не подтверждена, повторите попытку позже или обратитесь к администратору сайта.',
|
||||
'Your user account is inactive, please login with an active account or contact a network administrator.' => 'Ваша учётная запись не активна, пожалуйста войдите используя активную учётную запись или свяжитесь с администратором сайта.',
|
||||
];
|
||||
|
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
@ -1,98 +1,97 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'<strong>Confirm</strong> Action' => '<strong>Bekräfta</strong> val',
|
||||
'<strong>Latest</strong> updates' => '<strong>Senaste</strong> uppdateringarna',
|
||||
'<strong>Mail</strong> summary' => '<strong>Mail</strong> sammanställning',
|
||||
'Actions' => 'Åtgärder',
|
||||
'Add:' => 'Lägg till:',
|
||||
'Administration' => 'Administration',
|
||||
'All' => 'Alla',
|
||||
'Allow' => 'Tillåt',
|
||||
'Allow content from external source' => 'Tillåt innehåll från extern källa',
|
||||
'Always allow content from this provider!' => 'Tillåt alltid innehåll från denna leverantör!',
|
||||
'An error occurred while handling your last action. (Handler not found).' => 'Ett fel uppstod när du hanterade din senaste åtgärd. (Hanteraren hittades inte).',
|
||||
'An unexpected error occurred while loading the search result.' => 'Ett oväntat fel uppstod när sökresultatet laddades.',
|
||||
'An unexpected error occurred. If this keeps happening, please contact a site administrator.' => 'Ett oväntat fel uppstod. Om detta fortsätter att hända, vänligen kontakta en administratör.',
|
||||
'An unexpected server error occurred. If this keeps happening, please contact a site administrator.' => 'Ett oväntat serverfel uppstod. Om detta fortsätter att hända, vänligen kontakta en administratör.',
|
||||
'Back' => 'Tillbaka',
|
||||
'Back to dashboard' => 'Tillbaka till översikten',
|
||||
'Cancel' => 'Avbryt',
|
||||
'Choose language:' => 'Välj språk:',
|
||||
'Close' => 'Stäng',
|
||||
'Collapse' => 'Minimera',
|
||||
'Confirm' => 'Bekräfta',
|
||||
'Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!' => 'Innehållet för tilläggskällan måste vara instansen av HActiveRecordContent eller HActiveRecordContentAddon!',
|
||||
'Copy to clipboard' => 'Kopiera urklipp',
|
||||
'Could not find content of addon!' => 'Kunde inte hitta innehållet i tillägget!',
|
||||
'Could not find requested page.' => 'Det gick inte att hitta önskad sida.',
|
||||
'Default' => 'Standard',
|
||||
'Delete' => 'Radera',
|
||||
'Deny' => 'Neka',
|
||||
'Do you really want to perform this action?' => 'Vill du verkligen utföra det här åtgärdet?',
|
||||
'Do you want to enable content from \'{urlPrefix}\'?' => 'Vill du aktivera innehåll från \'{urlPrefix}\'?',
|
||||
'Edit' => 'Ändra',
|
||||
'Error' => 'Error',
|
||||
'Error while running your last action (Invalid request method).' => 'Fel vid körning av din senaste åtgärd (Felaktig anropsmetod).',
|
||||
'Error:' => 'Fel:',
|
||||
'Expand' => 'Expandera',
|
||||
'Export' => 'Exportera',
|
||||
'Info:' => 'Info:',
|
||||
'Invalid request method!' => 'Felaktig anropsmetod!',
|
||||
'It looks like you may have taken the wrong turn.' => 'Det ser ut som att du kanske har tagit fel väg.',
|
||||
'Language' => 'Språk',
|
||||
'Loading...' => 'Laddar...',
|
||||
'Login' => 'Logga in',
|
||||
'Logo of {appName}' => 'Logga för {appName}',
|
||||
'Logout' => 'Logga ut',
|
||||
'Menu' => 'Meny',
|
||||
'Module is not enabled on this content container!' => 'Modulen är inte aktiverad i den här behållaren för innehåll!',
|
||||
'New profile image' => 'Ny profilbild',
|
||||
'Next' => 'Nästa',
|
||||
'No error information given.' => 'Ingen felinformation gavs.',
|
||||
'Oooops...' => 'Hoppsan....',
|
||||
'Open' => 'Öppna',
|
||||
'Please type at least 3 characters' => 'Ange minst 3 tecken',
|
||||
'Please type at least {count} characters' => 'Ange minst {count} tecken',
|
||||
'Powered by {name}' => 'Tillhandahållen av {name}',
|
||||
'Profile dropdown' => 'Profilens meny',
|
||||
'Profile picture of {displayName}' => 'Profilbild för {displayName}',
|
||||
'Save' => 'Spara',
|
||||
'Saved' => 'Sparad',
|
||||
'Search' => 'Sök',
|
||||
'Search...' => 'Sök...',
|
||||
'Select Me' => 'Välj mig själv',
|
||||
'Settings' => 'inställningar',
|
||||
'Show less' => 'Visa mindre',
|
||||
'Show more' => 'Visa mer',
|
||||
'Some files could not be uploaded:' => 'Vissa filer kunde inte laddas upp:',
|
||||
'Stop impersonation' => 'Avsluta imitation av en person',
|
||||
'Text could not be copied to clipboard' => 'Text kunde inte kopieras till urklipp',
|
||||
'Text has been copied to clipboard' => 'Text har kopierats till Urklipp',
|
||||
'The date has to be in the past.' => 'Datumet måste vara i dåtid.',
|
||||
'The file has been deleted.' => 'Filen har raderats.',
|
||||
'The requested resource could not be found.' => 'Den efterfrågade resursen kunde inte hittas.',
|
||||
'The space has been archived.' => 'Forumet har arkiverats.',
|
||||
'The space has been unarchived.' => 'Forumet har aktiverats.',
|
||||
'Time Zone' => 'Tidzon',
|
||||
'Toggle comment menu' => 'Växla kommentarsmeny',
|
||||
'Toggle panel menu' => 'Växla panelmeny',
|
||||
'Toggle post menu' => 'Växla inläggsmeny',
|
||||
'Toggle stream entry menu' => 'Växla meny för flöde',
|
||||
'Unsaved changes will be lost. Do you want to proceed?' => 'Det finns ändringar som inte har sparats. Vill du verkligen lämna den här sidan?',
|
||||
'Unsubscribe' => 'Avsluta prenumeration',
|
||||
'Upload' => 'Ladda upp',
|
||||
'Upload file' => 'Ladda upp fil',
|
||||
'You are not allowed to run this action.' => 'Du får inte genomföra den här åtgärden.',
|
||||
'{nFormatted}B' => '{nFormatted}B',
|
||||
'{nFormatted}K' => '{nFormatted}K',
|
||||
'{nFormatted}M' => '{nFormatted}M',
|
||||
'An unexpected error occurred. Please check whether your file exceeds the allowed upload limit of {maxUploadSize}.' => '',
|
||||
'My Profile' => '',
|
||||
'No results' => '',
|
||||
'Show all results' => '',
|
||||
'verify your upload_max_filesize and post_max_size php settings.' => '',
|
||||
'{attribute} has been empty. The system-configured function to fill empty values has returned an invalid value. Please try again or contact your administrator.' => '',
|
||||
'{attribute} must be a string (UUID) or null; {type} given.' => '',
|
||||
'{attribute} must be an UUID or null. UUID has the format "{{XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX}}", where X = [a-fA-F0-9] and both curly brackets and delimiting dashes are optional.' => '',
|
||||
'<strong>Confirm</strong> Action' => '<strong>Bekräfta</strong> val',
|
||||
'<strong>Latest</strong> updates' => '<strong>Senaste</strong> uppdateringarna',
|
||||
'<strong>Mail</strong> summary' => '<strong>Mail</strong> sammanställning',
|
||||
'Actions' => 'Åtgärder',
|
||||
'Add:' => 'Lägg till:',
|
||||
'Administration' => 'Administration',
|
||||
'All' => 'Alla',
|
||||
'Allow' => 'Tillåt',
|
||||
'Allow content from external source' => 'Tillåt innehåll från extern källa',
|
||||
'Always allow content from this provider!' => 'Tillåt alltid innehåll från denna leverantör!',
|
||||
'An error occurred while handling your last action. (Handler not found).' => 'Ett fel uppstod när du hanterade din senaste åtgärd. (Hanteraren hittades inte).',
|
||||
'An unexpected error occurred while loading the search result.' => 'Ett oväntat fel uppstod när sökresultatet laddades.',
|
||||
'An unexpected error occurred. If this keeps happening, please contact a site administrator.' => 'Ett oväntat fel uppstod. Om detta fortsätter att hända, vänligen kontakta en administratör.',
|
||||
'An unexpected error occurred. Please check whether your file exceeds the allowed upload limit of {maxUploadSize}.' => 'Ett oväntat fel uppstod. Vänligen kontrollera om din fil överskrider den tillåtna gränsen: {maxUploadSize}.',
|
||||
'An unexpected server error occurred. If this keeps happening, please contact a site administrator.' => 'Ett oväntat serverfel uppstod. Om detta fortsätter att hända, vänligen kontakta en administratör.',
|
||||
'Back' => 'Tillbaka',
|
||||
'Back to dashboard' => 'Tillbaka till översikten',
|
||||
'Cancel' => 'Avbryt',
|
||||
'Choose language:' => 'Välj språk:',
|
||||
'Close' => 'Stäng',
|
||||
'Collapse' => 'Minimera',
|
||||
'Confirm' => 'Bekräfta',
|
||||
'Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!' => 'Innehållet för tilläggskällan måste vara instansen av HActiveRecordContent eller HActiveRecordContentAddon!',
|
||||
'Copy to clipboard' => 'Kopiera urklipp',
|
||||
'Could not find content of addon!' => 'Kunde inte hitta innehållet i tillägget!',
|
||||
'Could not find requested page.' => 'Det gick inte att hitta önskad sida.',
|
||||
'Default' => 'Standard',
|
||||
'Delete' => 'Radera',
|
||||
'Deny' => 'Neka',
|
||||
'Do you really want to perform this action?' => 'Vill du verkligen utföra det här åtgärdet?',
|
||||
'Do you want to enable content from \'{urlPrefix}\'?' => 'Vill du aktivera innehåll från \'{urlPrefix}\'?',
|
||||
'Edit' => 'Ändra',
|
||||
'Error' => 'Error',
|
||||
'Error while running your last action (Invalid request method).' => 'Fel vid körning av din senaste åtgärd (Felaktig anropsmetod).',
|
||||
'Error:' => 'Fel:',
|
||||
'Expand' => 'Expandera',
|
||||
'Export' => 'Exportera',
|
||||
'Info:' => 'Info:',
|
||||
'Invalid request method!' => 'Felaktig anropsmetod!',
|
||||
'It looks like you may have taken the wrong turn.' => 'Det ser ut som att du kanske har tagit fel väg.',
|
||||
'Language' => 'Språk',
|
||||
'Loading...' => 'Laddar...',
|
||||
'Login' => 'Logga in',
|
||||
'Logo of {appName}' => 'Logga för {appName}',
|
||||
'Logout' => 'Logga ut',
|
||||
'Menu' => 'Meny',
|
||||
'Module is not enabled on this content container!' => 'Modulen är inte aktiverad i den här behållaren för innehåll!',
|
||||
'My Profile' => 'Min Profil',
|
||||
'New profile image' => 'Ny profilbild',
|
||||
'Next' => 'Nästa',
|
||||
'No error information given.' => 'Ingen felinformation gavs.',
|
||||
'No results' => 'Inga resultat',
|
||||
'Oooops...' => 'Hoppsan....',
|
||||
'Open' => 'Öppna',
|
||||
'Please type at least 3 characters' => 'Ange minst 3 tecken',
|
||||
'Please type at least {count} characters' => 'Ange minst {count} tecken',
|
||||
'Powered by {name}' => 'Tillhandahållen av {name}',
|
||||
'Profile dropdown' => 'Profilens meny',
|
||||
'Profile picture of {displayName}' => 'Profilbild för {displayName}',
|
||||
'Save' => 'Spara',
|
||||
'Saved' => 'Sparad',
|
||||
'Search' => 'Sök',
|
||||
'Search...' => 'Sök...',
|
||||
'Select Me' => 'Välj mig själv',
|
||||
'Settings' => 'inställningar',
|
||||
'Show all results' => 'Visa alla resultat',
|
||||
'Show less' => 'Visa mindre',
|
||||
'Show more' => 'Visa mer',
|
||||
'Some files could not be uploaded:' => 'Vissa filer kunde inte laddas upp:',
|
||||
'Stop impersonation' => 'Avsluta imitation av en person',
|
||||
'Text could not be copied to clipboard' => 'Text kunde inte kopieras till urklipp',
|
||||
'Text has been copied to clipboard' => 'Text har kopierats till Urklipp',
|
||||
'The date has to be in the past.' => 'Datumet måste vara i dåtid.',
|
||||
'The file has been deleted.' => 'Filen har raderats.',
|
||||
'The requested resource could not be found.' => 'Den efterfrågade resursen kunde inte hittas.',
|
||||
'The space has been archived.' => 'Forumet har arkiverats.',
|
||||
'The space has been unarchived.' => 'Forumet har aktiverats.',
|
||||
'Time Zone' => 'Tidzon',
|
||||
'Toggle comment menu' => 'Växla kommentarsmeny',
|
||||
'Toggle panel menu' => 'Växla panelmeny',
|
||||
'Toggle post menu' => 'Växla inläggsmeny',
|
||||
'Toggle stream entry menu' => 'Växla meny för flöde',
|
||||
'Unsaved changes will be lost. Do you want to proceed?' => 'Det finns ändringar som inte har sparats. Vill du verkligen lämna den här sidan?',
|
||||
'Unsubscribe' => 'Avsluta prenumeration',
|
||||
'Upload' => 'Ladda upp',
|
||||
'Upload file' => 'Ladda upp fil',
|
||||
'You are not allowed to run this action.' => 'Du får inte genomföra den här åtgärden.',
|
||||
'verify your upload_max_filesize and post_max_size php settings.' => 'verifiera värdena för upload_max_filesize och post_max_size i dina php inställningar.',
|
||||
'{attribute} has been empty. The system-configured function to fill empty values has returned an invalid value. Please try again or contact your administrator.' => '',
|
||||
'{attribute} must be a string (UUID) or null; {type} given.' => '{attribute} måste vara en sträng (UUID) eller null; {type} angiven.',
|
||||
'{attribute} must be an UUID or null. UUID has the format "{{XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX}}", where X = [a-fA-F0-9] and both curly brackets and delimiting dashes are optional.' => '{attribute} måste vara ett UUID eller null. UUID har formatet "{{XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX}}", där X = [a-fA-F0-9] och både klammerparenteser och avgränsande bindestreck är valfria.',
|
||||
'{nFormatted}B' => '{nFormatted}B',
|
||||
'{nFormatted}K' => '{nFormatted}K',
|
||||
'{nFormatted}M' => '{nFormatted}M',
|
||||
];
|
||||
|
@ -1,7 +1,7 @@
|
||||
<?php
|
||||
|
||||
use yii\db\Migration;
|
||||
use yii\db\Expression;
|
||||
use yii\db\Migration;
|
||||
|
||||
class m160508_005740_settings_cleanup extends Migration
|
||||
{
|
||||
|
@ -1,40 +1,39 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'<strong>E-Mail</strong> Summaries' => '<strong>Podsumowania</strong> email',
|
||||
'<strong>Latest</strong> activities' => '<strong>Najnowsza</strong> aktywność',
|
||||
'Activities' => 'Aktywności',
|
||||
'Daily' => 'Dziennie',
|
||||
'E-Mail Summaries' => 'Podsumowania email',
|
||||
'E-Mail summaries are sent to inform you about recent activities in the network.' => 'Podsumowania email są wysyłane do Ciebie w celu informowania o ostatniej aktywności w sieci.',
|
||||
'E-Mail summaries are sent to users to inform them about recent activities in your network.' => 'Podsumowania email są wysyłane do użytkowników w celu informowania o ostatniej aktywności w sieci.',
|
||||
'Exclude spaces below from the mail summary' => 'Wyklucz poniższe strefy z podsumowań email',
|
||||
'Hourly' => 'Godzinowo',
|
||||
'Interval' => 'Interwał',
|
||||
'Latest news' => 'Najnowsze wiadomości',
|
||||
'Never' => 'Nigdy',
|
||||
'On this page you can configure the contents and the interval of these e-mail updates.' => 'Na tej stronie możesz ustawić zawartość oraz interwał powiadomień emaIL.',
|
||||
'On this page you can define the default behavior for your users. These settings can be overwritten by users in their account settings page.' => 'Na tej stronie możesz ustalić domyślne zachowanie dla użytkowników. Ustawienia te mogą zostać nadpisane przez użytkowników w ich ustawieniach konta.',
|
||||
'Only include spaces below to the mail summary' => 'Uwzględnij w podsumowaniach email wyłącznie poniższe strefy',
|
||||
'Reset to defaults' => 'Przywróć domyślne',
|
||||
'See online:' => 'Zobacz online:',
|
||||
'Spaces' => 'Strefy',
|
||||
'There are no activities yet.' => 'Brak aktywności.',
|
||||
'Weekly' => 'Tygodniowo',
|
||||
'You will only receive an e-mail if there is something new.' => 'Otrzymasz emaila wyłącznie wtedy gdy pojawi się jakaś nowa informacja.',
|
||||
'Your daily summary' => 'Podsumowanie dzienne',
|
||||
'Your weekly summary' => 'Twoje tygodniowe podsumowanie',
|
||||
'see online' => 'zobacz zalogowanych',
|
||||
'via' => 'przez',
|
||||
'{displayName} created the new space {spaceName}' => '{displayName} utworzył nową strefę {spaceName}',
|
||||
'{displayName} created this space.' => '{displayName} utworzył tę strefę.',
|
||||
'{displayName} joined the space {spaceName}' => '{displayName} dołączył do strefy {spaceName}',
|
||||
'{displayName} joined this space.' => '{displayName} dołączył do tej strefy.',
|
||||
'{displayName} left the space {spaceName}' => '{displayName} opuścił strefę {spaceName}',
|
||||
'{displayName} left this space.' => '{displayName} opuścił tę strefę. ',
|
||||
'{spaceName} has been archived' => '{spaceName} została zarchiwizowana.',
|
||||
'{spaceName} has been unarchived' => '{spaceName} została przeniesiona z archiwizacji.',
|
||||
'{user1} now follows {user2}.' => 'Od teraz {user1} obserwuje {user2}.',
|
||||
'Monthly' => '',
|
||||
'Your monthly summary' => '',
|
||||
'<strong>E-Mail</strong> Summaries' => '<strong>Podsumowania</strong> email',
|
||||
'<strong>Latest</strong> activities' => '<strong>Najnowsza</strong> aktywność',
|
||||
'Activities' => 'Aktywności',
|
||||
'Daily' => 'Dziennie',
|
||||
'E-Mail Summaries' => 'Podsumowania email',
|
||||
'E-Mail summaries are sent to inform you about recent activities in the network.' => 'Podsumowania email są wysyłane do Ciebie w celu informowania o ostatniej aktywności w sieci.',
|
||||
'E-Mail summaries are sent to users to inform them about recent activities in your network.' => 'Podsumowania email są wysyłane do użytkowników w celu informowania o ostatniej aktywności w sieci.',
|
||||
'Exclude spaces below from the mail summary' => 'Wyklucz poniższe strefy z podsumowań email',
|
||||
'Hourly' => 'Godzinowo',
|
||||
'Interval' => 'Interwał',
|
||||
'Latest news' => 'Najnowsze wiadomości',
|
||||
'Monthly' => 'Miesięcznie',
|
||||
'Never' => 'Nigdy',
|
||||
'On this page you can configure the contents and the interval of these e-mail updates.' => 'Na tej stronie możesz ustawić zawartość oraz interwał powiadomień emaIL.',
|
||||
'On this page you can define the default behavior for your users. These settings can be overwritten by users in their account settings page.' => 'Na tej stronie możesz ustalić domyślne zachowanie dla użytkowników. Ustawienia te mogą zostać nadpisane przez użytkowników w ich ustawieniach konta.',
|
||||
'Only include spaces below to the mail summary' => 'Uwzględnij w podsumowaniach email wyłącznie poniższe strefy',
|
||||
'Reset to defaults' => 'Przywróć domyślne',
|
||||
'See online:' => 'Zobacz online:',
|
||||
'Spaces' => 'Strefy',
|
||||
'There are no activities yet.' => 'Brak aktywności.',
|
||||
'Weekly' => 'Tygodniowo',
|
||||
'You will only receive an e-mail if there is something new.' => 'Otrzymasz emaila wyłącznie wtedy gdy pojawi się jakaś nowa informacja.',
|
||||
'Your daily summary' => 'Podsumowanie dzienne',
|
||||
'Your monthly summary' => 'Podsumowanie miesięczne',
|
||||
'Your weekly summary' => 'Twoje tygodniowe podsumowanie',
|
||||
'see online' => 'zobacz zalogowanych',
|
||||
'via' => 'przez',
|
||||
'{displayName} created the new space {spaceName}' => '{displayName} utworzył nową strefę {spaceName}',
|
||||
'{displayName} created this space.' => '{displayName} utworzył tę strefę.',
|
||||
'{displayName} joined the space {spaceName}' => '{displayName} dołączył do strefy {spaceName}',
|
||||
'{displayName} joined this space.' => '{displayName} dołączył do tej strefy.',
|
||||
'{displayName} left the space {spaceName}' => '{displayName} opuścił strefę {spaceName}',
|
||||
'{displayName} left this space.' => '{displayName} opuścił tę strefę.',
|
||||
'{spaceName} has been archived' => '{spaceName} została zarchiwizowana.',
|
||||
'{spaceName} has been unarchived' => '{spaceName} została przeniesiona z archiwizacji.',
|
||||
'{user1} now follows {user2}.' => 'Od teraz {user1} obserwuje {user2}.',
|
||||
];
|
||||
|
@ -1,24 +1,4 @@
|
||||
<?php
|
||||
/**
|
||||
* Translation: Paul (https://paul.bid) paulbid@protonmail.com
|
||||
*/
|
||||
/**
|
||||
* Message translations.
|
||||
*
|
||||
* This file is automatically generated by 'yii message/extract' command.
|
||||
* It contains the localizable messages extracted from source code.
|
||||
* You may modify this file by translating the extracted messages.
|
||||
*
|
||||
* Each array element represents the translation (value) of a message (key).
|
||||
* If the value is empty, the message is considered as not translated.
|
||||
* Messages that no longer need translation will have their translations
|
||||
* enclosed between a pair of '@@' marks.
|
||||
*
|
||||
* Message string can be used with plural forms format. Check i18n section
|
||||
* of the guide for details.
|
||||
*
|
||||
* NOTE: this file must be saved in UTF-8 encoding.
|
||||
*/
|
||||
<?php /* Translated by Paul (https://paul.bid) www.paul.bid@gmail.com */
|
||||
return [
|
||||
'E-Mail Summaries' => 'Email уведомления',
|
||||
];
|
||||
|
@ -1,21 +1,21 @@
|
||||
<?php
|
||||
<?php /* Translated by Paul (https://paul.bid) www.paul.bid@gmail.com */
|
||||
return array (
|
||||
'<strong>E-Mail</strong> Summaries' => '<strong>Уведомления</strong> по email',
|
||||
'<strong>Latest</strong> activities' => '<strong>Лента</strong> активности',
|
||||
'<strong>E-Mail</strong> Summaries' => '<strong>Email уведомления</strong>',
|
||||
'<strong>Latest</strong> activities' => '<strong>Лента активности</strong>',
|
||||
'Activities' => 'Действия',
|
||||
'Daily' => 'Ежедневно',
|
||||
'E-Mail Summaries' => 'Email уведомления',
|
||||
'E-Mail summaries are sent to inform you about recent activities in the network.' => 'Уведомления отправляются по электронной почте, чтобы информировать Вас о последних действиях в сети.',
|
||||
'E-Mail summaries are sent to users to inform them about recent activities in your network.' => 'Уведомления по электронной почте отправляются пользователям, чтобы информировать их о последних действиях в Вашей сети.',
|
||||
'Exclude spaces below from the mail summary' => 'Исключить сообщества из списка ниже в уведомлениях по email',
|
||||
'E-Mail Summaries' => 'Email Уведомления',
|
||||
'E-Mail summaries are sent to inform you about recent activities in the network.' => 'Уведомления отправляются на email, чтобы информировать вас о последних действиях на сайте.',
|
||||
'E-Mail summaries are sent to users to inform them about recent activities in your network.' => 'Уведомления отправляются пользователям на email, чтобы информировать их о последних событиях и действиях на сайте.',
|
||||
'Exclude spaces below from the mail summary' => 'Исключить сообщества из списка ниже в email уведомлениях',
|
||||
'Hourly' => 'Каждый час',
|
||||
'Interval' => 'Интервал',
|
||||
'Latest news' => 'Последние новости',
|
||||
'Monthly' => 'Ежемесячно',
|
||||
'Never' => 'Никогда',
|
||||
'On this page you can configure the contents and the interval of these e-mail updates.' => 'На этой странице Вы можете настроить содержимое и интервал обновления уведомлений по электронной почте.',
|
||||
'On this page you can define the default behavior for your users. These settings can be overwritten by users in their account settings page.' => 'На этой странице Вы можете определить поведение по умолчанию для Ваших пользователей. Эти настройки могут быть изменены пользователями на странице настроек их учётной записи.',
|
||||
'Only include spaces below to the mail summary' => 'Включить только сообщества из списка ниже в уведомления по email',
|
||||
'On this page you can configure the contents and the interval of these e-mail updates.' => 'На этой странице вы можете настроить содержимое и частоту уведомлений по электронной почте.',
|
||||
'On this page you can define the default behavior for your users. These settings can be overwritten by users in their account settings page.' => 'На этой странице вы можете определить настройки по умолчанию для ваших пользователей. Эти настройки могут быть изменены непосредственно пользователями на странице настроек их учётной записи.',
|
||||
'Only include spaces below to the mail summary' => 'Включить только сообщества из списка ниже в email уведомления',
|
||||
'Reset to defaults' => 'Сбросить на значение по умолчанию',
|
||||
'See online:' => 'Смотреть онлайн:',
|
||||
'Spaces' => 'Сообщества',
|
||||
@ -23,7 +23,7 @@ return array (
|
||||
'Weekly' => 'Еженедельно',
|
||||
'You will only receive an e-mail if there is something new.' => 'Вы получите электронное письмо только в случае появления чего-то нового.',
|
||||
'Your daily summary' => 'Ваша статистика за сегодня',
|
||||
'Your monthly summary' => 'Ежемесячная рассылка',
|
||||
'Your monthly summary' => 'Ваша статистика за месяц',
|
||||
'Your weekly summary' => 'Ваша статистика за неделю',
|
||||
'see online' => 'смотреть онлайн',
|
||||
'via' => 'через',
|
||||
@ -33,7 +33,7 @@ return array (
|
||||
'{displayName} joined this space.' => '{displayName} присоединился к этому сообществу.',
|
||||
'{displayName} left the space {spaceName}' => '{displayName} покинул сообщество {spaceName}',
|
||||
'{displayName} left this space.' => '{displayName} покинул это сообщество.',
|
||||
'{spaceName} has been archived' => '{spaceName} был архивирован',
|
||||
'{spaceName} has been unarchived' => '{spaceName} был разархивирован',
|
||||
'{user1} now follows {user2}.' => '{user1} теперь читает {user2}.',
|
||||
'{spaceName} has been archived' => 'Сообщество {spaceName} было архивировано',
|
||||
'{spaceName} has been unarchived' => 'Сообщество {spaceName} было разархивировано',
|
||||
'{user1} now follows {user2}.' => '{user1} теперь подписан на {user2}.',
|
||||
);
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'የአስተዳደራዊ መጠቀሚያ መረጃዎች',
|
||||
'Can access the \'Administration -> Information\' section.' => '\'የአስተዳዳር -> መረጃ\' ክፍልን መጠቀመ ይቻላል።',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '\'በአስተዳደር -> ሞጁል\' ክፍል ውስጥ ሞጁሉን ማስተካከል ይቻላል።',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '\'በአስተዳደር -> ምህዳሮች\' ክፍል ውስጥ ምህዳሮችን ማስተካከል (ማፍጠር/አርትዕ/ማስወገድ) ይቻላል።',
|
||||
'Can manage general settings.' => 'ተጠቃሚዎችን - ምህዳሩን - እና አጠቃላይ ማስተካከያውን ማቀናበር ይቻላል።',
|
||||
'Can manage users and groups' => 'ተጠቃሚዎችን እና ቡድኖችን ማቀናበር ይቻላል',
|
||||
'Can manage users and user profiles.' => 'ተጠቃሚዎችንና የተጠቃሚ የግል መግለጫዎችን ማቀናበር ይቻላል።',
|
||||
'Manage Groups' => 'ቡድንኑ ያቀናብሩ',
|
||||
'Manage Modules' => 'ሞጁሎቹን ያቀናብሩ',
|
||||
'Manage Settings' => 'ማስተካከያውን ያቀናብሩ',
|
||||
'Manage Spaces' => 'ምህዳሮችን ያቀናብሩ',
|
||||
'Manage Users' => 'ተጠቃሚዎችን ያቀናብሩ',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'የአስተዳደራዊ መጠቀሚያ መረጃዎች',
|
||||
'Can access the \'Administration -> Information\' section.' => '\'የአስተዳዳር -> መረጃ\' ክፍልን መጠቀመ ይቻላል።',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '\'በአስተዳደር -> ምህዳሮች\' ክፍል ውስጥ ምህዳሮችን ማስተካከል (ማፍጠር/አርትዕ/ማስወገድ) ይቻላል።',
|
||||
'Can manage general settings.' => 'ተጠቃሚዎችን - ምህዳሩን - እና አጠቃላይ ማስተካከያውን ማቀናበር ይቻላል።',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '\'በአስተዳደር -> ሞጁል\' ክፍል ውስጥ ሞጁሉን ማስተካከል ይቻላል።',
|
||||
'Can manage users and groups' => 'ተጠቃሚዎችን እና ቡድኖችን ማቀናበር ይቻላል',
|
||||
'Can manage users and user profiles.' => 'ተጠቃሚዎችንና የተጠቃሚ የግል መግለጫዎችን ማቀናበር ይቻላል።',
|
||||
'Manage Groups' => 'ቡድንኑ ያቀናብሩ',
|
||||
'Manage Modules' => 'ሞጁሎቹን ያቀናብሩ',
|
||||
'Manage Settings' => 'ማስተካከያውን ያቀናብሩ',
|
||||
'Manage Spaces' => 'ምህዳሮችን ያቀናብሩ',
|
||||
'Manage Users' => 'ተጠቃሚዎችን ያቀናብሩ',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,29 +1,15 @@
|
||||
<?php
|
||||
/**
|
||||
* Message translations.
|
||||
*
|
||||
* This file is automatically generated by 'yii message/extract' command.
|
||||
* It contains the localizable messages extracted from source code.
|
||||
* You may modify this file by translating the extracted messages.
|
||||
*
|
||||
* Each array element represents the translation (value) of a message (key).
|
||||
* If the value is empty, the message is considered as not translated.
|
||||
* Messages that no longer need translation will have their translations
|
||||
* enclosed between a pair of '@@' marks.
|
||||
*
|
||||
* Message string can be used with plural forms format. Check i18n section
|
||||
* of the guide for details.
|
||||
*
|
||||
* NOTE: this file must be saved in UTF-8 encoding.
|
||||
*/
|
||||
|
||||
return [
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Manage All Content' => '',
|
||||
'Manage Groups' => '',
|
||||
'Manage Modules' => '',
|
||||
'Manage Settings' => '',
|
||||
|
@ -1,32 +1,18 @@
|
||||
<?php
|
||||
/**
|
||||
* Message translations.
|
||||
*
|
||||
* This file is automatically generated by 'yii message/extract' command.
|
||||
* It contains the localizable messages extracted from source code.
|
||||
* You may modify this file by translating the extracted messages.
|
||||
*
|
||||
* Each array element represents the translation (value) of a message (key).
|
||||
* If the value is empty, the message is considered as not translated.
|
||||
* Messages that no longer need translation will have their translations
|
||||
* enclosed between a pair of '@@' marks.
|
||||
*
|
||||
* Message string can be used with plural forms format. Check i18n section
|
||||
* of the guide for details.
|
||||
*
|
||||
* NOTE: this file must be saved in UTF-8 encoding.
|
||||
*/
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'الوصول إلى معلومات المسؤول',
|
||||
'Can access the \'Administration -> Information\' section.' => 'يمكن الوصول إلى قسم "الإدارة -> المعلومات".',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'يمكن إدارة المساحات داخل قسم "الإدارة -> المساحات" (إنشاء / تحرير / حذف).',
|
||||
'Can manage general settings.' => 'يمكن إدارة إعدادات المستخدم الفضاء والمساحة العامة.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'يمكن إدارة الوحدات ضمن قسم "الإدارة -> الوحدات النمطية".',
|
||||
'Can manage users and groups' => 'يمكن إدارة المستخدمين والمجموعات',
|
||||
'Can manage users and user profiles.' => 'يمكن إدارة المستخدمين وملفات تعريف المستخدمين.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'يمكن إدارة الوحدات ضمن قسم "الإدارة -> الوحدات النمطية".',
|
||||
'Manage Groups' => 'إدارة المجموعات',
|
||||
'Manage Modules' => 'إدارة الوحدات',
|
||||
'Manage Settings' => 'إدارة الإعدادات',
|
||||
'Manage Spaces' => 'إدارة المساحات',
|
||||
'Manage Users' => 'ادارة المستخدمين',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Достъп до администраторска информация',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Има достъп до раздела "Администриране -> Информация".',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Може да управлява модули в раздела "Администриране -> Модули".',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Може да управлява раздели в секцията "Администриране -> Раздели" (създаване / редактиране / изтриване).',
|
||||
'Can manage general settings.' => 'Може да управлява потребителски раздели и общи настройки.',
|
||||
'Can manage users and groups' => 'Може да управлява потребители и групи',
|
||||
'Can manage users and user profiles.' => 'Може да управлява потребители и потребителски профили.',
|
||||
'Manage Groups' => 'Управление на Групи',
|
||||
'Manage Modules' => 'Управление на Модули',
|
||||
'Manage Settings' => 'Управление на Настройки',
|
||||
'Manage Spaces' => 'Управление на Раздели',
|
||||
'Manage Users' => 'Управление на Потребители',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Достъп до администраторска информация',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Има достъп до раздела "Администриране -> Информация".',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Може да управлява раздели в секцията "Администриране -> Раздели" (създаване / редактиране / изтриване).',
|
||||
'Can manage general settings.' => 'Може да управлява потребителски раздели и общи настройки.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Може да управлява модули в раздела "Администриране -> Модули".',
|
||||
'Can manage users and groups' => 'Може да управлява потребители и групи',
|
||||
'Can manage users and user profiles.' => 'Може да управлява потребители и потребителски профили.',
|
||||
'Manage Groups' => 'Управление на Групи',
|
||||
'Manage Modules' => 'Управление на Модули',
|
||||
'Manage Settings' => 'Управление на Настройки',
|
||||
'Manage Spaces' => 'Управление на Раздели',
|
||||
'Manage Users' => 'Управление на Потребители',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,29 +1,15 @@
|
||||
<?php
|
||||
/**
|
||||
* Message translations.
|
||||
*
|
||||
* This file is automatically generated by 'yii message/extract' command.
|
||||
* It contains the localizable messages extracted from source code.
|
||||
* You may modify this file by translating the extracted messages.
|
||||
*
|
||||
* Each array element represents the translation (value) of a message (key).
|
||||
* If the value is empty, the message is considered as not translated.
|
||||
* Messages that no longer need translation will have their translations
|
||||
* enclosed between a pair of '@@' marks.
|
||||
*
|
||||
* Message string can be used with plural forms format. Check i18n section
|
||||
* of the guide for details.
|
||||
*
|
||||
* NOTE: this file must be saved in UTF-8 encoding.
|
||||
*/
|
||||
|
||||
return [
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Manage All Content' => '',
|
||||
'Manage Groups' => '',
|
||||
'Manage Modules' => '',
|
||||
'Manage Settings' => '',
|
||||
|
@ -1,29 +1,15 @@
|
||||
<?php
|
||||
/**
|
||||
* Message translations.
|
||||
*
|
||||
* This file is automatically generated by 'yii message/extract' command.
|
||||
* It contains the localizable messages extracted from source code.
|
||||
* You may modify this file by translating the extracted messages.
|
||||
*
|
||||
* Each array element represents the translation (value) of a message (key).
|
||||
* If the value is empty, the message is considered as not translated.
|
||||
* Messages that no longer need translation will have their translations
|
||||
* enclosed between a pair of '@@' marks.
|
||||
*
|
||||
* Message string can be used with plural forms format. Check i18n section
|
||||
* of the guide for details.
|
||||
*
|
||||
* NOTE: this file must be saved in UTF-8 encoding.
|
||||
*/
|
||||
|
||||
return [
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Manage All Content' => '',
|
||||
'Manage Groups' => '',
|
||||
'Manage Modules' => '',
|
||||
'Manage Settings' => '',
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Přístup k administrátorským informacím',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Přístup do sekce "Administrace -> Informace".',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Editace sekce "Administrace -> Prostory".',
|
||||
'Can manage general settings.' => 'Editace sekce obecné nastavení.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Editace sekce "Administrace -> Moduly".',
|
||||
'Can manage users and groups' => 'Editace sekce uživatelé a skupiny',
|
||||
'Can manage users and user profiles.' => 'Editace sekce uživatelé a uživatelské účty.',
|
||||
'Manage Groups' => 'Správa Skupin',
|
||||
'Manage Modules' => 'Správa Modulů',
|
||||
'Manage Settings' => 'Správa Nastavení',
|
||||
'Manage Spaces' => 'Správa Prostorů',
|
||||
'Manage Users' => 'Správa Uživatelů',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Přístup k administrátorským informacím',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Přístup do sekce "Administrace -> Informace".',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Editace sekce "Administrace -> Prostory".',
|
||||
'Can manage general settings.' => 'Editace sekce obecné nastavení.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Editace sekce "Administrace -> Moduly".',
|
||||
'Can manage users and groups' => 'Editace sekce uživatelé a skupiny',
|
||||
'Can manage users and user profiles.' => 'Editace sekce uživatelé a uživatelské účty.',
|
||||
'Manage Groups' => 'Správa Skupin',
|
||||
'Manage Modules' => 'Správa Modulů',
|
||||
'Manage Settings' => 'Správa Nastavení',
|
||||
'Manage Spaces' => 'Správa Prostorů',
|
||||
'Manage Users' => 'Správa Uživatelů',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -3,11 +3,13 @@
|
||||
return [
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Manage All Content' => '',
|
||||
'Manage Groups' => '',
|
||||
'Manage Modules' => '',
|
||||
'Manage Settings' => '',
|
||||
|
@ -1,29 +1,15 @@
|
||||
<?php
|
||||
/**
|
||||
* Message translations.
|
||||
*
|
||||
* This file is automatically generated by 'yii message/extract' command.
|
||||
* It contains the localizable messages extracted from source code.
|
||||
* You may modify this file by translating the extracted messages.
|
||||
*
|
||||
* Each array element represents the translation (value) of a message (key).
|
||||
* If the value is empty, the message is considered as not translated.
|
||||
* Messages that no longer need translation will have their translations
|
||||
* enclosed between a pair of '@@' marks.
|
||||
*
|
||||
* Message string can be used with plural forms format. Check i18n section
|
||||
* of the guide for details.
|
||||
*
|
||||
* NOTE: this file must be saved in UTF-8 encoding.
|
||||
*/
|
||||
|
||||
return [
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Manage All Content' => '',
|
||||
'Manage Groups' => '',
|
||||
'Manage Modules' => '',
|
||||
'Manage Settings' => '',
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Zugriff auf Admin-Informationen',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Darf auf den Bereich \'Administration -> Informationen\' zugreifen.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Darf Module innerhalb des Bereiches \'Administration -> Module\' verwalten.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Darf Spaces innerhalb des Bereiches \'Administration -> Spaces\' verwalten (erstellen/bearbeiten/löschen).',
|
||||
'Can manage general settings.' => 'Darf Benutzer-, Space- und allgemeine Einstellungen verwalten.',
|
||||
'Can manage users and groups' => 'Darf Benutzer und Benutzergruppen verwalten.',
|
||||
'Can manage users and user profiles.' => 'Darf Benutzer und Benutzerprofile verwalten.',
|
||||
'Manage Groups' => 'Gruppen verwalten',
|
||||
'Manage Modules' => 'Module verwalten',
|
||||
'Manage Settings' => 'Einstellungen verwalten',
|
||||
'Manage Spaces' => 'Spaces verwalten',
|
||||
'Manage Users' => 'Benutzer verwalten',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Zugriff auf Admin-Informationen',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Darf auf den Bereich \'Administration -> Informationen\' zugreifen.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Darf Spaces innerhalb des Bereiches \'Administration -> Spaces\' verwalten (erstellen/bearbeiten/löschen).',
|
||||
'Can manage general settings.' => 'Darf Benutzer-, Space- und allgemeine Einstellungen verwalten.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Darf Module innerhalb des Bereiches \'Administration -> Module\' verwalten.',
|
||||
'Can manage users and groups' => 'Darf Benutzer und Benutzergruppen verwalten.',
|
||||
'Can manage users and user profiles.' => 'Darf Benutzer und Benutzerprofile verwalten.',
|
||||
'Manage Groups' => 'Gruppen verwalten',
|
||||
'Manage Modules' => 'Module verwalten',
|
||||
'Manage Settings' => 'Einstellungen verwalten',
|
||||
'Manage Spaces' => 'Spaces verwalten',
|
||||
'Manage Users' => 'Benutzer verwalten',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Πρόσβαση σε πληροφορίες διαχειριστή',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Έχει πρόσβαση στην ενότητα "Διαχείριση -> Πληροφορίες".',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Μπορεί να διαχειριστεί χώρους μέσα στην ενότητα \'Διαχείριση -> Χώροι\' (δημιουργία / επεξεργασία / διαγραφή).',
|
||||
'Can manage general settings.' => 'Μπορεί να διαχειριστεί γενικές ρυθμίσεις.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Μπορεί να διαχειριστεί ενότητες μέσα από το τμήμα "Διαχείριση -> Ενότητες".',
|
||||
'Can manage users and groups' => 'Μπορεί να διαχειριστεί χρήστες και ομάδες',
|
||||
'Can manage users and user profiles.' => 'Μπορεί να διαχειριστεί χρήστες και προφίλ χρηστών.',
|
||||
'Manage Groups' => 'Διαχείριση Ομάδων',
|
||||
'Manage Modules' => 'Διαχείριση Μονάδων',
|
||||
'Manage Settings' => 'Διαχείριση Ρυθμίσεων',
|
||||
'Manage Spaces' => 'Διαχείριση Χώρων',
|
||||
'Manage Users' => 'Διαχείριση Χρηστών',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Πρόσβαση σε πληροφορίες διαχειριστή',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Έχει πρόσβαση στην ενότητα "Διαχείριση -> Πληροφορίες".',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Μπορεί να διαχειριστεί χώρους μέσα στην ενότητα \'Διαχείριση -> Χώροι\' (δημιουργία / επεξεργασία / διαγραφή).',
|
||||
'Can manage general settings.' => 'Μπορεί να διαχειριστεί γενικές ρυθμίσεις.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Μπορεί να διαχειριστεί ενότητες μέσα από το τμήμα "Διαχείριση -> Ενότητες".',
|
||||
'Can manage users and groups' => 'Μπορεί να διαχειριστεί χρήστες και ομάδες',
|
||||
'Can manage users and user profiles.' => 'Μπορεί να διαχειριστεί χρήστες και προφίλ χρηστών.',
|
||||
'Manage Groups' => 'Διαχείριση Ομάδων',
|
||||
'Manage Modules' => 'Διαχείριση Μονάδων',
|
||||
'Manage Settings' => 'Διαχείριση Ρυθμίσεων',
|
||||
'Manage Spaces' => 'Διαχείριση Χώρων',
|
||||
'Manage Users' => 'Διαχείριση Χρηστών',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -3,11 +3,13 @@
|
||||
return [
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Manage All Content' => '',
|
||||
'Manage Groups' => '',
|
||||
'Manage Modules' => '',
|
||||
'Manage Settings' => '',
|
||||
|
@ -56,8 +56,8 @@ return [
|
||||
'People' => 'Gente',
|
||||
'Permissions' => 'Permisos',
|
||||
'Proxy' => 'Proxy',
|
||||
'Resend to all' => '',
|
||||
'Resend to selected rows' => '',
|
||||
'Resend to all' => 'Reenviarlo a todos',
|
||||
'Resend to selected rows' => 'Reenviarlo a filas seleccionadas',
|
||||
'Self test' => 'Auto prueba',
|
||||
'Set as default' => 'Establecer como valor por defecto',
|
||||
'Settings' => 'Ajustes',
|
||||
@ -67,7 +67,7 @@ return [
|
||||
'Statistics' => 'Estadísticas',
|
||||
'The cron job for the background jobs (queue) does not seem to work properly.' => 'La tarea cron que ejecuta tareas en background (cola) no parece estar funcionando correctamente.',
|
||||
'The cron job for the regular tasks (cron) does not seem to work properly.' => 'La tarea cron que ejecuta tareas normales (cron) no parece estar funcionando correctamente.',
|
||||
'The mobile app push service is not available. Please install and configure the "Push Notifications" module.' => '',
|
||||
'The mobile app push service is not available. Please install and configure the "Push Notifications" module.' => 'El servicio de aplicación móvil push no está disponible. Por favor instala y configura el módulo “Notificaciones Push”.',
|
||||
'This overview shows you all installed modules and allows you to enable, disable, configure and of course uninstall them. To discover new modules, take a look into our Marketplace. Please note that deactivating or uninstalling a module will result in the loss of any content that was created with that module.' => 'Esta vista general muestra todos los módulos instalados y le permite activarlos, desactivarlos, configurarlos y por supuesto desinstalarlos. Para descubrir nuevos módulos, échele un vistazo a nuestra tienda de módulos. Tenga por favor en cuenta que si desactiva un módulo perderá todo el contenido que se haya creado con ese módulo.',
|
||||
'Topics' => 'Temas',
|
||||
'Uninstall' => 'deinstalar',
|
||||
|
@ -1,106 +1,105 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'"Push Notifications (Firebase)" module and setup of Firebase API Key required' => 'Se requiere el módulo “Push Notifications (Firebase)” y configurar la clave de API Firebase',
|
||||
'<strong>CronJob</strong> Status' => 'Estado de las <strong>tareas cron</strong>',
|
||||
'<strong>Queue</strong> Status' => 'Estado de la <strong>cola</strong>',
|
||||
'About HumHub' => 'Sobre HumHub',
|
||||
'Assets' => 'Activos',
|
||||
'Background Jobs' => 'Tareas en background',
|
||||
'Base URL' => 'URL base',
|
||||
'Checking HumHub software prerequisites.' => 'Comprobando prerequisitos software de HumHub.',
|
||||
'Current limit is: {currentLimit}' => 'El límite actual es: {currentLimit}',
|
||||
'Custom Modules ({modules})' => 'Módulos personalizados ({modules})',
|
||||
'Database' => 'Base de datos',
|
||||
'Database collation' => 'Ordenación de la base de datos',
|
||||
'Database driver - {driver}' => 'Driver de la base de datos - {driver}',
|
||||
'Database migration results:' => 'Resultados de la migración de la base de datos:',
|
||||
'Delayed' => 'Demorado',
|
||||
'Deprecated Modules ({modules})' => 'Módulos obsoletos ({modules})',
|
||||
'Detected URL: {currentBaseUrl}' => 'URL detectada: {currentBaseUrl}',
|
||||
'Disabled Functions' => 'Funciones desactivadas',
|
||||
'Displaying {count} entries per page.' => 'Mostrar {count} entradas por página.',
|
||||
'Done' => 'Hecho',
|
||||
'Driver' => 'Driver',
|
||||
'Dynamic Config' => 'Configuración dinámica',
|
||||
'Error' => 'Error',
|
||||
'Flush entries' => 'Limpiar entradas',
|
||||
'HumHub' => 'HumHub',
|
||||
'HumHub Documentation' => 'Documentación de HumHub',
|
||||
'HumHub is currently in debug mode. Disable it when running on production!' => 'HumHub está actualmente en modo de depuración. ¡Deshabilitarlo cuando se ejecute en la producción!',
|
||||
'ICU Data Version ({version})' => 'Versión de datos ICU ({version})',
|
||||
'ICU Data {icuMinVersion} or higher is required' => 'Se requiere una versión de datos ICU {icuMinVersion} o superior',
|
||||
'ICU Version ({version})' => 'Versión ICU ({version})',
|
||||
'ICU {icuMinVersion} or higher is required' => 'Se requiere una versión de ICU {icuMinVersion} o superior',
|
||||
'Increase memory limit in {fileName}' => 'Aumentar el límite de memoria en {fileName}',
|
||||
'Info' => 'Información',
|
||||
'Install {phpExtension} Extension' => 'Instalar la extensión {phpExtension}',
|
||||
'Install {phpExtension} Extension for APC Caching' => 'Instalar la extensión {phpExtension} para disponer de caché APC',
|
||||
'Install {phpExtension} Extension for e-mail S/MIME support.' => 'Instalar la extensión {phpExtension} para disponer de soporte de correo electrónico S/MIME.',
|
||||
'Last run (daily):' => 'Última ejecución (diaria):',
|
||||
'Last run (hourly):' => 'Última ejecución (por horas):',
|
||||
'Licences' => 'Licencias',
|
||||
'Logging' => 'Registro',
|
||||
'Make sure that the `proc_open` function is not disabled.' => 'Asegúrate de que la función \'proc_open\' no está desactivada',
|
||||
'Make {filePath} writable for the Webserver/PHP!' => 'Hacer que {filePath} sea escribible por el servidor web/PHP',
|
||||
'Marketplace API Connection' => 'Conexión al marketplace mediante API',
|
||||
'Memory Limit ({memoryLimit})' => 'Límite de memoria ({memoryLimit})',
|
||||
'Minimum Version {minVersion}' => 'Versión mínima {minVersion}',
|
||||
'Mobile App - Push Service' => 'Aplicación móvil - Servicio Push',
|
||||
'Module Directory' => 'Directorio de módulos',
|
||||
'Multibyte String Functions' => 'Funciones de cadenas multibyte',
|
||||
'Must be updated manually. Check compatibility with newer HumHub versions before updating.' => 'Es necesario actualizarlo manualmente. Compruebe la compatibilidad con nuevas versiones de HumHub antes de actualizar.',
|
||||
'Never' => 'Nunca',
|
||||
'Optional' => 'Opcional',
|
||||
'Other' => 'Otro',
|
||||
'Outstanding database migrations:' => 'Migraciones de base de datos pendientes:',
|
||||
'Permissions' => 'Permisos',
|
||||
'Please refer to the documentation to setup the cronjobs and queue workers.' => 'Por favor consulta la documentación para configurar las tareas cron y los trabajadores de la cola.',
|
||||
'Prerequisites' => 'Pre-requisitos',
|
||||
'Pretty URLs' => 'URL bonitas',
|
||||
'Profile Image' => 'Imagen del perfil',
|
||||
'Queue successfully cleared.' => 'Cola vaciada con éxito.',
|
||||
'Re-Run tests' => 'Re-ejecutar tests',
|
||||
'Recommended collation is {collation}' => 'La ordenación recomendada es {collation}',
|
||||
'Recommended collation is {collation} for the tables: {tables}' => 'La ordenación recomendada para las tablas {tables} es {collation}',
|
||||
'Recommended engine is {engine} for the tables: {tables}' => 'El motor recomendado para las tablas {tables} es {engine}',
|
||||
'Refresh' => 'Refrescar',
|
||||
'Reserved' => 'Reservado',
|
||||
'Runtime' => 'Runtime',
|
||||
'Search index rebuild in progress.' => 'Reconstrucción de índice de búsqueda en marcha.',
|
||||
'Search term...' => 'Término de búsqueda...',
|
||||
'See installation manual for more details.' => 'Consulte el manual de instalación para obtener más detalles.',
|
||||
'Select category..' => 'Selecciona una categoría..',
|
||||
'Select day' => 'Seleccione dia',
|
||||
'Select level...' => 'Selecciona el nivel...',
|
||||
'Settings' => 'Ajustes',
|
||||
'Supported drivers: {drivers}' => 'Drivers soportados: {drivers}',
|
||||
'Table collations' => 'Ordenaciones de tablas',
|
||||
'Table engines' => 'Motores de tablas',
|
||||
'The current main HumHub database name is ' => 'El nombre de la base de datos principal de HumHub es',
|
||||
'The module(s) are no longer maintained and should be uninstalled.' => 'El (los) módulo(s) ya no son mantenidos y debería desinstalarlos.',
|
||||
'There is a new update available! (Latest version: %version%)' => '¡Hay una nueva versión disponible! (Última versión: %version%)',
|
||||
'This HumHub installation is up to date!' => '¡Esta instalación de HumHub ya está actualizada!',
|
||||
'Total {count} entries found.' => 'Total {count} entradas encontradas.',
|
||||
'Trace' => 'Rastro',
|
||||
'Update Database' => 'Actualizar base de datos',
|
||||
'Uploads' => 'Subidas',
|
||||
'Varying table engines are not supported.' => 'No hay soporte para motores de tabla variable',
|
||||
'Version' => 'Versión',
|
||||
'Waiting' => 'Esperando',
|
||||
'Warning' => 'Advertencia',
|
||||
'Your database is <b>up-to-date</b>.' => 'Tu base de datos está <b>actualizada</b>.',
|
||||
'{imageExtension} Support' => 'Soporte para {imageExtension}',
|
||||
'{phpExtension} Extension' => 'Extensión {phpExtension}',
|
||||
'{phpExtension} Support' => 'Soporte para {phpExtension}',
|
||||
'Configuration File' => '',
|
||||
'Different table collations in the tables: {tables}' => '',
|
||||
'New migrations should be applied: {migrations}' => '',
|
||||
'No pending migrations' => '',
|
||||
'Rebuild search index' => '',
|
||||
'The configuration file contains legacy settings. Invalid options: {options}' => '',
|
||||
'Web Application PHP version: `{webPhpVersion}`, Cron PHP Version: `{cronPhpVersion}`' => '',
|
||||
'Web Application and Cron uses the same PHP version' => '',
|
||||
'Web Application and Cron uses the same user' => '',
|
||||
'Web Application user: `{webUser}`, Cron user: `{cronUser}`' => '',
|
||||
'"Push Notifications (Firebase)" module and setup of Firebase API Key required' => 'Se requiere el módulo “Push Notifications (Firebase)” y configurar la clave de API Firebase',
|
||||
'<strong>CronJob</strong> Status' => 'Estado de las <strong>tareas cron</strong>',
|
||||
'<strong>Queue</strong> Status' => 'Estado de la <strong>cola</strong>',
|
||||
'About HumHub' => 'Sobre HumHub',
|
||||
'Assets' => 'Activos',
|
||||
'Background Jobs' => 'Tareas en background',
|
||||
'Base URL' => 'URL base',
|
||||
'Checking HumHub software prerequisites.' => 'Comprobando prerequisitos software de HumHub.',
|
||||
'Configuration File' => 'Archivo de configuración',
|
||||
'Current limit is: {currentLimit}' => 'El límite actual es: {currentLimit}',
|
||||
'Custom Modules ({modules})' => 'Módulos personalizados ({modules})',
|
||||
'Database' => 'Base de datos',
|
||||
'Database collation' => 'Ordenación de la base de datos',
|
||||
'Database driver - {driver}' => 'Driver de la base de datos - {driver}',
|
||||
'Database migration results:' => 'Resultados de la migración de la base de datos:',
|
||||
'Delayed' => 'Demorado',
|
||||
'Deprecated Modules ({modules})' => 'Módulos obsoletos ({modules})',
|
||||
'Detected URL: {currentBaseUrl}' => 'URL detectada: {currentBaseUrl}',
|
||||
'Different table collations in the tables: {tables}' => 'Se está utilizando diferentes cotejos en las tablas: {tables}',
|
||||
'Disabled Functions' => 'Funciones desactivadas',
|
||||
'Displaying {count} entries per page.' => 'Mostrar {count} entradas por página.',
|
||||
'Done' => 'Hecho',
|
||||
'Driver' => 'Driver',
|
||||
'Dynamic Config' => 'Configuración dinámica',
|
||||
'Error' => 'Error',
|
||||
'Flush entries' => 'Limpiar entradas',
|
||||
'HumHub' => 'HumHub',
|
||||
'HumHub Documentation' => 'Documentación de HumHub',
|
||||
'HumHub is currently in debug mode. Disable it when running on production!' => 'HumHub está actualmente en modo de depuración. ¡Deshabilitarlo cuando se ejecute en la producción!',
|
||||
'ICU Data Version ({version})' => 'Versión de datos ICU ({version})',
|
||||
'ICU Data {icuMinVersion} or higher is required' => 'Se requiere una versión de datos ICU {icuMinVersion} o superior',
|
||||
'ICU Version ({version})' => 'Versión ICU ({version})',
|
||||
'ICU {icuMinVersion} or higher is required' => 'Se requiere una versión de ICU {icuMinVersion} o superior',
|
||||
'Increase memory limit in {fileName}' => 'Aumentar el límite de memoria en {fileName}',
|
||||
'Info' => 'Información',
|
||||
'Install {phpExtension} Extension' => 'Instalar la extensión {phpExtension}',
|
||||
'Install {phpExtension} Extension for APC Caching' => 'Instalar la extensión {phpExtension} para disponer de caché APC',
|
||||
'Install {phpExtension} Extension for e-mail S/MIME support.' => 'Instalar la extensión {phpExtension} para disponer de soporte de correo electrónico S/MIME.',
|
||||
'Last run (daily):' => 'Última ejecución (diaria):',
|
||||
'Last run (hourly):' => 'Última ejecución (por horas):',
|
||||
'Licences' => 'Licencias',
|
||||
'Logging' => 'Registro',
|
||||
'Make sure that the `proc_open` function is not disabled.' => 'Asegúrate de que la función \'proc_open\' no está desactivada',
|
||||
'Make {filePath} writable for the Webserver/PHP!' => 'Hacer que {filePath} sea escribible por el servidor web/PHP',
|
||||
'Marketplace API Connection' => 'Conexión al marketplace mediante API',
|
||||
'Memory Limit ({memoryLimit})' => 'Límite de memoria ({memoryLimit})',
|
||||
'Minimum Version {minVersion}' => 'Versión mínima {minVersion}',
|
||||
'Mobile App - Push Service' => 'Aplicación móvil - Servicio Push',
|
||||
'Module Directory' => 'Directorio de módulos',
|
||||
'Multibyte String Functions' => 'Funciones de cadenas multibyte',
|
||||
'Must be updated manually. Check compatibility with newer HumHub versions before updating.' => 'Es necesario actualizarlo manualmente. Compruebe la compatibilidad con nuevas versiones de HumHub antes de actualizar.',
|
||||
'Never' => 'Nunca',
|
||||
'New migrations should be applied: {migrations}' => 'Tienen que aplicarse nuevas migraciones: {migrations}',
|
||||
'No pending migrations' => 'No hay migraciones pendientes',
|
||||
'Optional' => 'Opcional',
|
||||
'Other' => 'Otro',
|
||||
'Outstanding database migrations:' => 'Migraciones de base de datos pendientes:',
|
||||
'Permissions' => 'Permisos',
|
||||
'Please refer to the documentation to setup the cronjobs and queue workers.' => 'Por favor consulta la documentación para configurar las tareas cron y los trabajadores de la cola.',
|
||||
'Prerequisites' => 'Pre-requisitos',
|
||||
'Pretty URLs' => 'URL bonitas',
|
||||
'Profile Image' => 'Imagen del perfil',
|
||||
'Queue successfully cleared.' => 'Cola vaciada con éxito.',
|
||||
'Re-Run tests' => 'Re-ejecutar tests',
|
||||
'Rebuild search index' => 'Reconstruir el índice de búsqueda',
|
||||
'Recommended collation is {collation}' => 'La ordenación recomendada es {collation}',
|
||||
'Recommended collation is {collation} for the tables: {tables}' => 'La ordenación recomendada para las tablas {tables} es {collation}',
|
||||
'Recommended engine is {engine} for the tables: {tables}' => 'El motor recomendado para las tablas {tables} es {engine}',
|
||||
'Refresh' => 'Refrescar',
|
||||
'Reserved' => 'Reservado',
|
||||
'Runtime' => 'Runtime',
|
||||
'Search index rebuild in progress.' => 'Reconstrucción de índice de búsqueda en marcha.',
|
||||
'Search term...' => 'Término de búsqueda...',
|
||||
'See installation manual for more details.' => 'Consulte el manual de instalación para obtener más detalles.',
|
||||
'Select category..' => 'Selecciona una categoría..',
|
||||
'Select day' => 'Seleccione dia',
|
||||
'Select level...' => 'Selecciona el nivel...',
|
||||
'Settings' => 'Ajustes',
|
||||
'Supported drivers: {drivers}' => 'Drivers soportados: {drivers}',
|
||||
'Table collations' => 'Ordenaciones de tablas',
|
||||
'Table engines' => 'Motores de tablas',
|
||||
'The configuration file contains legacy settings. Invalid options: {options}' => 'El archivo de configuración contiene configuraciones antiguas: {options}',
|
||||
'The current main HumHub database name is ' => 'El nombre de la base de datos principal de HumHub es',
|
||||
'The module(s) are no longer maintained and should be uninstalled.' => 'El (los) módulo(s) ya no son mantenidos y debería desinstalarlos.',
|
||||
'There is a new update available! (Latest version: %version%)' => '¡Hay una nueva versión disponible! (Última versión: %version%)',
|
||||
'This HumHub installation is up to date!' => '¡Esta instalación de HumHub ya está actualizada!',
|
||||
'Total {count} entries found.' => 'Total {count} entradas encontradas.',
|
||||
'Trace' => 'Rastro',
|
||||
'Update Database' => 'Actualizar base de datos',
|
||||
'Uploads' => 'Subidas',
|
||||
'Varying table engines are not supported.' => 'No hay soporte para motores de tabla variable',
|
||||
'Version' => 'Versión',
|
||||
'Waiting' => 'Esperando',
|
||||
'Warning' => 'Advertencia',
|
||||
'Web Application PHP version: `{webPhpVersion}`, Cron PHP Version: `{cronPhpVersion}`' => 'Versión PHP de la aplicación web `{webPhpVersion}`, Versión de Cron PHP: `{cronPhpVersion}`',
|
||||
'Web Application and Cron uses the same PHP version' => 'La aplicación web y cron utilizan la misma versión de PHP',
|
||||
'Web Application and Cron uses the same user' => 'La aplicación web y cron utilizan el mismo usuario',
|
||||
'Web Application user: `{webUser}`, Cron user: `{cronUser}`' => 'Usuario de la aplicación web: `{webUser}`, Usuario de cron: `{cronUser}`',
|
||||
'Your database is <b>up-to-date</b>.' => 'Tu base de datos está <b>actualizada</b>.',
|
||||
'{imageExtension} Support' => 'Soporte para {imageExtension}',
|
||||
'{phpExtension} Extension' => 'Extensión {phpExtension}',
|
||||
'{phpExtension} Support' => 'Soporte para {phpExtension}',
|
||||
];
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Acceder a información de administración',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Puede acceder a la sección \'Administración -> Información\'.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Puede administrar módulos dentro de la sección \'Administración -> Módulos\'.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Puede administrar espacios (crear/editar/borrar) dentro de la sección \'Administración -> Espacios\'.',
|
||||
'Can manage general settings.' => 'Puede administrar la configuración de usuario, espacio y general.',
|
||||
'Can manage users and groups' => 'Puede administrar usuarios y grupos',
|
||||
'Can manage users and user profiles.' => 'Puede administrar usuarios y perfiles de usuario.',
|
||||
'Manage Groups' => 'Administrar grupos',
|
||||
'Manage Modules' => 'Administrar módulos',
|
||||
'Manage Settings' => 'Administrar configuración',
|
||||
'Manage Spaces' => 'Administrar espacios',
|
||||
'Manage Users' => 'Administrar usuarios',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Acceder a información de administración',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Puede acceder a la sección \'Administración -> Información\'.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Puede administrar espacios (crear/editar/borrar) dentro de la sección \'Administración -> Espacios\'.',
|
||||
'Can manage general settings.' => 'Puede administrar la configuración de usuario, espacio y general.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Puede administrar módulos dentro de la sección \'Administración -> Módulos\'.',
|
||||
'Can manage users and groups' => 'Puede administrar usuarios y grupos',
|
||||
'Can manage users and user profiles.' => 'Puede administrar usuarios y perfiles de usuario.',
|
||||
'Manage Groups' => 'Administrar grupos',
|
||||
'Manage Modules' => 'Administrar módulos',
|
||||
'Manage Settings' => 'Administrar configuración',
|
||||
'Manage Spaces' => 'Administrar espacios',
|
||||
'Manage Users' => 'Administrar usuarios',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -28,7 +28,7 @@ return [
|
||||
'Cache Backend' => 'Modo de caché',
|
||||
'Comma separated list. Leave empty to allow all.' => 'Lista separada por comas. Deja en blanco para permitir todos',
|
||||
'Configuration (Use settings from configuration file)' => 'Configuración (utiliza valores del fichero de configuración)',
|
||||
'Convert to global topic' => '',
|
||||
'Convert to global topic' => 'Convertir en un tema global',
|
||||
'Could not send test email.' => 'El envío de correo electrónico de prueba no fue exitoso.',
|
||||
'Currently no provider active!' => '¡No hay ningún proveedor activo!',
|
||||
'Currently there are {count} records in the database dating from {dating}.' => 'Actualmente hay {count} registros en la base de datos que data de {dating}.',
|
||||
@ -65,7 +65,7 @@ return [
|
||||
'Friendship' => 'Amistad',
|
||||
'General' => 'General',
|
||||
'General Settings' => 'Ajustes generales',
|
||||
'Global topics can be used by all users in all Spaces. They make it easier for you to define consistent keywords throughout your entire network. If users have already created topics in Spaces, you can also convert them to global topics here.' => '',
|
||||
'Global topics can be used by all users in all Spaces. They make it easier for you to define consistent keywords throughout your entire network. If users have already created topics in Spaces, you can also convert them to global topics here.' => 'Los temas globales pueden ser utilizados por todos los usuarios en todos los espacios. Hacen que te sea más fácil definir palabras clave consistentes en toda tu red. Si los usuarios han creado ya temas en los espacios, puedes convertirlos aquí en temas globales.',
|
||||
'HTML tracking code' => 'Código de seguimiento HTML',
|
||||
'Here you can configurate the registration behaviour and additinal user settings of your social network.' => 'Aquí puede configurar el comportamiento de registro y la configuración de usuario adicional de su red social.',
|
||||
'Here you can configure basic settings of your social network.' => 'Aquí puede configurar los ajustes básicos de su red social.',
|
||||
|
@ -1,38 +1,37 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'<strong>Manage</strong> Spaces' => '<strong>Gestionar</strong> espacios',
|
||||
'Add new space' => 'Agregar nuevo espacio',
|
||||
'By using user roles, you can create different permission groups within a Space. These can also be individualized by authorized users for each and every Space and are only relevant for that specific Space.' => 'Al utilizar roles de usuario, puede crear diferentes grupos de permisos dentro de un espacio. Estos también pueden ser individualizados por usuarios autorizados para todos y cada uno de los espacios y solo son relevantes para ese espacio específico.',
|
||||
'Change owner' => 'Cambiar el propietario',
|
||||
'Default "Hide About Page"' => 'Defecto para “Ocultar la página Acerca de”',
|
||||
'Default "Hide Activity Sidebar Widget"' => 'Defecto para “Ocultar el widget lateral de actividad”',
|
||||
'Default "Hide Followers"' => 'Defecto para “Ocultar seguidores”',
|
||||
'Default "Hide Members"' => 'Defecto para “Ocultar miembros”',
|
||||
'Default Content Visiblity' => 'Visibilidad de contenido predeterminada',
|
||||
'Default Homepage' => 'Página de inicio por defecto',
|
||||
'Default Homepage (Non-members)' => 'Página de inicio por defecto (para no miembros)',
|
||||
'Default Join Policy' => 'Política de unión por defecto',
|
||||
'Default Space Permissions' => 'Permisos de espacio predeterminados',
|
||||
'Default Space(s)' => 'Espacio(s) por defecto',
|
||||
'Default Visibility' => 'Visibilidad por defecto',
|
||||
'Default space' => 'Espacio por defecto',
|
||||
'Here you can define your default settings for new spaces. These settings can be overwritten for each individual space.' => 'Aquí puede definir la configuración predeterminada para los espacios nuevos. Estos ajustes se pueden sobrescribir para cada espacio individual.',
|
||||
'Invalid space' => 'Espacio no válido',
|
||||
'Manage members' => 'Gestionar miembros',
|
||||
'Manage modules' => 'Gestionar módulos',
|
||||
'Open space' => 'Espacio abierto',
|
||||
'Overview' => 'Resúmen',
|
||||
'Permissions' => 'Permisos',
|
||||
'Search by name, description, id or owner.' => 'Buscar por nombre, descripción, id o propietario.',
|
||||
'Settings' => 'Configuraciones',
|
||||
'Space Settings' => 'Ajustes del espacio',
|
||||
'These options allow you to set the default permissions for all Spaces. Authorized users are able individualize these for each Space. Further entries are added with the installation of new modules.' => 'Estas opciones le permiten establecer los permisos predeterminados para todos los espacios. Los usuarios autorizados pueden individualizarlos para cada Espacio. Se agregan más entradas con la instalación de nuevos módulos.',
|
||||
'This overview contains a list of each space with actions to view, edit and delete spaces.' => 'Esta vista general contiene una lista de cada espacio con acciones para ver, editar y eliminar espacios.',
|
||||
'Update Space memberships also for existing members.' => 'Actualizar la pertenencia al espacio también en el caso de sus miembros actuales.',
|
||||
'All existing Space Topics will be converted to Global Topics.' => '',
|
||||
'Allow individual topics in Spaces' => '',
|
||||
'Convert' => '',
|
||||
'Convert Space Topics' => '',
|
||||
'Default Stream Sort' => '',
|
||||
'<strong>Manage</strong> Spaces' => '<strong>Gestionar</strong> espacios',
|
||||
'Add new space' => 'Agregar nuevo espacio',
|
||||
'All existing Space Topics will be converted to Global Topics.' => 'Todos los temas de espacio existentes se convertirán en temas globales.',
|
||||
'Allow individual topics in Spaces' => 'Permitir temas individuales en espacios',
|
||||
'By using user roles, you can create different permission groups within a Space. These can also be individualized by authorized users for each and every Space and are only relevant for that specific Space.' => 'Al utilizar roles de usuario, puede crear diferentes grupos de permisos dentro de un espacio. Estos también pueden ser individualizados por usuarios autorizados para todos y cada uno de los espacios y solo son relevantes para ese espacio específico.',
|
||||
'Change owner' => 'Cambiar el propietario',
|
||||
'Convert' => 'Convertir',
|
||||
'Convert Space Topics' => 'Convertir temas de espacio',
|
||||
'Default "Hide About Page"' => 'Defecto para “Ocultar la página Acerca de”',
|
||||
'Default "Hide Activity Sidebar Widget"' => 'Defecto para “Ocultar el widget lateral de actividad”',
|
||||
'Default "Hide Followers"' => 'Defecto para “Ocultar seguidores”',
|
||||
'Default "Hide Members"' => 'Defecto para “Ocultar miembros”',
|
||||
'Default Content Visiblity' => 'Visibilidad de contenido predeterminada',
|
||||
'Default Homepage' => 'Página de inicio por defecto',
|
||||
'Default Homepage (Non-members)' => 'Página de inicio por defecto (para no miembros)',
|
||||
'Default Join Policy' => 'Política de unión por defecto',
|
||||
'Default Space Permissions' => 'Permisos de espacio predeterminados',
|
||||
'Default Space(s)' => 'Espacio(s) por defecto',
|
||||
'Default Stream Sort' => 'Ordenación por defecto del stream',
|
||||
'Default Visibility' => 'Visibilidad por defecto',
|
||||
'Default space' => 'Espacio por defecto',
|
||||
'Here you can define your default settings for new spaces. These settings can be overwritten for each individual space.' => 'Aquí puede definir la configuración predeterminada para los espacios nuevos. Estos ajustes se pueden sobrescribir para cada espacio individual.',
|
||||
'Invalid space' => 'Espacio no válido',
|
||||
'Manage members' => 'Gestionar miembros',
|
||||
'Manage modules' => 'Gestionar módulos',
|
||||
'Open space' => 'Espacio abierto',
|
||||
'Overview' => 'Resúmen',
|
||||
'Permissions' => 'Permisos',
|
||||
'Search by name, description, id or owner.' => 'Buscar por nombre, descripción, id o propietario.',
|
||||
'Settings' => 'Configuraciones',
|
||||
'Space Settings' => 'Ajustes del espacio',
|
||||
'These options allow you to set the default permissions for all Spaces. Authorized users are able individualize these for each Space. Further entries are added with the installation of new modules.' => 'Estas opciones le permiten establecer los permisos predeterminados para todos los espacios. Los usuarios autorizados pueden individualizarlos para cada Espacio. Se agregan más entradas con la instalación de nuevos módulos.',
|
||||
'This overview contains a list of each space with actions to view, edit and delete spaces.' => 'Esta vista general contiene una lista de cada espacio con acciones para ver, editar y eliminar espacios.',
|
||||
'Update Space memberships also for existing members.' => 'Actualizar la pertenencia al espacio también en el caso de sus miembros actuales.',
|
||||
];
|
||||
|
@ -1,94 +1,102 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'<strong>Information</strong>' => '<strong>Información</strong>',
|
||||
'<strong>Profile</strong> Permissions' => 'Permisos de <strong>perfil</strong>',
|
||||
'<strong>Settings</strong> and Configuration' => '<strong>Ajustes</strong> y Configuración',
|
||||
'<strong>User</strong> administration' => 'Administración de <strong>Usuarios</strong>',
|
||||
'<strong>Warning:</strong> All individual profile permission settings are reset to the default values!' => '<strong>Advertencia:</strong> ¡Todas las configuraciones de permisos de perfiles individuales se restablecen a los valores predeterminados!',
|
||||
'About the account request for \'{displayName}\'.' => 'Sobre la petición de cuenta para \'{displayName}\'.',
|
||||
'Accept user: <strong>{displayName}</strong> ' => 'Aceptar usuario: <strong>{displayName}</strong>',
|
||||
'Account' => 'Cuenta',
|
||||
'Account Request for \'{displayName}\' has been approved.' => 'La solicitud de cuenta para \'{displayName}\' ha sido aprobada.',
|
||||
'Account Request for \'{displayName}\' has been declined.' => 'La solicitud de cuenta para \'{displayName}\' ha sido denegada.',
|
||||
'Actions' => 'Acciones',
|
||||
'Active users' => 'Usuarios activos',
|
||||
'Add Groups...' => 'Agregar grupos...',
|
||||
'Add new category' => 'Añadir nueva categoría',
|
||||
'Add new field' => 'Añadir nuevo campo',
|
||||
'Add new group' => 'Agregar un nuevo grupo',
|
||||
'Add new members...' => 'Agregar nuevos usuarios...',
|
||||
'Add new user' => 'Añadir nuevo usuario',
|
||||
'Administrator group could not be deleted!' => '¡No se pudo eliminar el grupo de administradores!',
|
||||
'All open registration invitations were successfully deleted.' => 'Todas las invitaciones a registro pendientes han sido borradas con éxito.',
|
||||
'All the personal data of this user will be irrevocably deleted.' => 'Todos los datos personales de este usuario serán borrados irrevocablemente.',
|
||||
'Allow' => 'Permitir',
|
||||
'Allow users to block each other' => 'Permitir que los usuarios se bloqueen entre sí',
|
||||
'Allow users to set individual permissions for their own profile?' => '¿Permitir que los usuarios establezcan permisos individuales para su propio perfil?',
|
||||
'Allow visitors limited access to content without an account (Adds visibility: "Guest")' => 'Permitir acceso limitado para usuarios no autentificados (invitados)',
|
||||
'Applied to new or existing users without any other group membership.' => 'Se aplica a usuarios nuevos o existentes sin ninguna otra membresía de grupo.',
|
||||
'Apply' => 'Aplicar',
|
||||
'Approve' => 'Aprobar',
|
||||
'Approve all selected' => 'Aprobar todas las seleccionadas',
|
||||
'Are you really sure that you want to disable this user?' => '¿Estás seguro de querer deshabilitar este usuario?',
|
||||
'Are you really sure that you want to enable this user?' => '¿Estás seguro de querer habilitar este usuario?',
|
||||
'Are you really sure that you want to impersonate this user?' => '¿Estás seguro de querer asumir la identidad de este usuario?',
|
||||
'Are you really sure? The selected users will be approved and notified by e-mail.' => '¿Estás seguro? Los usuarios seleccionados serán aprobados y notificados mediante correo electrónico.',
|
||||
'Are you really sure? The selected users will be deleted and notified by e-mail.' => '¿Estás seguro? Los usuarios seleccionados serán borrados y notificados por correo electrónico.',
|
||||
'Are you really sure? The selected users will be notified by e-mail.' => '¿Estás realmente seguro? Los usuarios seleccionados recibirán una notificación por correo electrónico.',
|
||||
'Are you really sure? Users who are not assigned to another group are automatically assigned to the default group.' => '¿Estas realmente seguro? Los usuarios que no están asignados a otro grupo se asignan automáticamente al grupo predeterminado.',
|
||||
'Are you sure that you want to delete following user?' => '¿Estás seguro de querer borrar el siguiente usuario?',
|
||||
'Cancel' => 'Cancelar',
|
||||
'Click here to review' => 'Haz clic aqui para revisar',
|
||||
'Confirm user deletion' => 'Confirme el borrado del usuario',
|
||||
'Could not approve the user!' => '¡No se ha podido aprobar el usuario!',
|
||||
'Could not decline the user!' => '¡No se ha podido rechazar al usuario!',
|
||||
'Could not load category.' => 'No se pudo cargar la categoría.',
|
||||
'Could not send the message to the user!' => '¡No se ha podido enviar un mensaje al usuario!',
|
||||
'Create new group' => 'Crear nuevo grupo',
|
||||
'Create new profile category' => 'Crear nueva categoría de perfil',
|
||||
'Create new profile field' => 'Crear nuevo campo de perfil',
|
||||
'Deactivate individual profile permissions?' => '¿Desactivar los permisos de perfil individual?',
|
||||
'Decline' => 'Declinar',
|
||||
'Decline & delete user: <strong>{displayName}</strong>' => 'Declinar y borrar usuario: <strong>{displayName}</strong>',
|
||||
'Decline all selected' => 'Rechazar todos los seleccionados',
|
||||
'Default' => 'Predeterminado',
|
||||
'Default Profile Permissions' => 'Permisos de perfil predeterminados',
|
||||
'Default Sorting' => 'Orden por defecto',
|
||||
'Default content of the email when sending a message to the user' => 'Contenido por defecto del mensaje cuando se envía un correo al usuario',
|
||||
'Default content of the registration approval email' => 'Contenido por defecto del mensaje de aceptación del registro',
|
||||
'Default content of the registration denial email' => 'Contenido por defecto del mensaje de denegación del registro',
|
||||
'Default group can not be deleted!' => '¡El grupo por defecto no puede borrarse!',
|
||||
'Default user idle timeout, auto-logout (in seconds, optional)' => 'Tiempo de inactividad antes de cerrar sesión (en segundos, opcional)',
|
||||
'Default user profile visibility' => 'Visibilidad del perfil de usuario por defecto',
|
||||
'Delete' => 'Borrar',
|
||||
'Delete All' => 'Borrar todas',
|
||||
'Delete all contributions of this user' => 'Borrar todas las contribuciones de este usuario',
|
||||
'Delete invitation' => 'Borrar invitación',
|
||||
'Delete invitation?' => '¿Borrar invitación?',
|
||||
'Delete spaces which are owned by this user' => 'Borrar los espacios que son propiedad de este usuario',
|
||||
'Deleted' => 'Borrado',
|
||||
'Deleted invitation' => 'Borrar invitación',
|
||||
'Deleted users' => 'Borrar usuarios',
|
||||
'Disable' => 'Deshabilitar',
|
||||
'Disabled' => 'Deshabilitado',
|
||||
'Disabled users' => 'Deshabilitar usuarios',
|
||||
'Do not change placeholders like {displayName} if you want them to be automatically filled by the system. To reset the email content fields with the system default, leave them empty.' => 'No modifique los marcadores como {displayName} si quiere que el sistema los rellene automáticamente. Para reiniciar los campos de contenido de correo electrónico a los valores por defecto del sistema déjelos vacíos.',
|
||||
'Edit' => 'Editar',
|
||||
'Edit category' => 'Editar categoria',
|
||||
'Edit profile category' => 'Editar categoría de perfil',
|
||||
'Edit profile field' => 'Editar campo de perfil',
|
||||
'Edit user: {name}' => 'Editar usuario: {name}',
|
||||
'Email all selected' => 'Enviar un mensaje a todos los seleccionados',
|
||||
'Enable' => 'Habilitar',
|
||||
'Enable individual profile permissions' => 'Habilitar permisos de perfil individual',
|
||||
'Enabled' => 'Habilitado',
|
||||
'First name' => 'Nombre',
|
||||
'Group Manager' => 'Administrador de Grupo',
|
||||
'Group not found!' => '¡Grupo no encontrado!',
|
||||
'Group user not found!' => '¡Usuario de grupo no encontrado!',
|
||||
'Groups' => 'Grupos',
|
||||
'Hello {displayName},
|
||||
'<strong>Information</strong>' => '<strong>Información</strong>',
|
||||
'<strong>Profile</strong> Permissions' => 'Permisos de <strong>perfil</strong>',
|
||||
'<strong>Settings</strong> and Configuration' => '<strong>Ajustes</strong> y Configuración',
|
||||
'<strong>User</strong> administration' => 'Administración de <strong>Usuarios</strong>',
|
||||
'<strong>Warning:</strong> All individual profile permission settings are reset to the default values!' => '<strong>Advertencia:</strong> ¡Todas las configuraciones de permisos de perfiles individuales se restablecen a los valores predeterminados!',
|
||||
'About the account request for \'{displayName}\'.' => 'Sobre la petición de cuenta para \'{displayName}\'.',
|
||||
'Accept user: <strong>{displayName}</strong> ' => 'Aceptar usuario: <strong>{displayName}</strong>',
|
||||
'Account' => 'Cuenta',
|
||||
'Account Request for \'{displayName}\' has been approved.' => 'La solicitud de cuenta para \'{displayName}\' ha sido aprobada.',
|
||||
'Account Request for \'{displayName}\' has been declined.' => 'La solicitud de cuenta para \'{displayName}\' ha sido denegada.',
|
||||
'Actions' => 'Acciones',
|
||||
'Active users' => 'Usuarios activos',
|
||||
'Add Groups...' => 'Agregar grupos...',
|
||||
'Add new category' => 'Añadir nueva categoría',
|
||||
'Add new field' => 'Añadir nuevo campo',
|
||||
'Add new group' => 'Agregar un nuevo grupo',
|
||||
'Add new members...' => 'Agregar nuevos usuarios...',
|
||||
'Add new user' => 'Añadir nuevo usuario',
|
||||
'Administrator group could not be deleted!' => '¡No se pudo eliminar el grupo de administradores!',
|
||||
'All existing Profile Topics will be converted to Global Topics.' => 'Todos los temas de perfil existentes se convertirán en temas globales',
|
||||
'All open registration invitations were successfully deleted.' => 'Todas las invitaciones a registro pendientes han sido borradas con éxito.',
|
||||
'All open registration invitations were successfully re-sent.' => 'Todas las invitaciones a registro abiertas se han reenviado correctamente.',
|
||||
'All the personal data of this user will be irrevocably deleted.' => 'Todos los datos personales de este usuario serán borrados irrevocablemente.',
|
||||
'Allow' => 'Permitir',
|
||||
'Allow individual topics on profiles' => 'Permitir temas individuales en los perfiles',
|
||||
'Allow users to block each other' => 'Permitir que los usuarios se bloqueen entre sí',
|
||||
'Allow users to set individual permissions for their own profile?' => '¿Permitir que los usuarios establezcan permisos individuales para su propio perfil?',
|
||||
'Allow visitors limited access to content without an account (Adds visibility: "Guest")' => 'Permitir acceso limitado para usuarios no autentificados (invitados)',
|
||||
'Applied to new or existing users without any other group membership.' => 'Se aplica a usuarios nuevos o existentes sin ninguna otra membresía de grupo.',
|
||||
'Apply' => 'Aplicar',
|
||||
'Approve' => 'Aprobar',
|
||||
'Approve all selected' => 'Aprobar todas las seleccionadas',
|
||||
'Are you really sure that you want to disable this user?' => '¿Estás seguro de querer deshabilitar este usuario?',
|
||||
'Are you really sure that you want to enable this user?' => '¿Estás seguro de querer habilitar este usuario?',
|
||||
'Are you really sure that you want to impersonate this user?' => '¿Estás seguro de querer asumir la identidad de este usuario?',
|
||||
'Are you really sure? The selected users will be approved and notified by e-mail.' => '¿Estás seguro? Los usuarios seleccionados serán aprobados y notificados mediante correo electrónico.',
|
||||
'Are you really sure? The selected users will be deleted and notified by e-mail.' => '¿Estás seguro? Los usuarios seleccionados serán borrados y notificados por correo electrónico.',
|
||||
'Are you really sure? The selected users will be notified by e-mail.' => '¿Estás realmente seguro? Los usuarios seleccionados recibirán una notificación por correo electrónico.',
|
||||
'Are you really sure? Users who are not assigned to another group are automatically assigned to the default group.' => '¿Estas realmente seguro? Los usuarios que no están asignados a otro grupo se asignan automáticamente al grupo predeterminado.',
|
||||
'Are you sure that you want to delete following user?' => '¿Estás seguro de querer borrar el siguiente usuario?',
|
||||
'Cancel' => 'Cancelar',
|
||||
'Cannot resend invitation email!' => '¡No se ha podido reenviar el mensaje de invitación!',
|
||||
'Click here to review' => 'Haz clic aqui para revisar',
|
||||
'Confirm user deletion' => 'Confirme el borrado del usuario',
|
||||
'Convert' => 'Convertir',
|
||||
'Convert Profile Topics' => 'Convertir los temas de perfil',
|
||||
'Could not approve the user!' => '¡No se ha podido aprobar el usuario!',
|
||||
'Could not decline the user!' => '¡No se ha podido rechazar al usuario!',
|
||||
'Could not load category.' => 'No se pudo cargar la categoría.',
|
||||
'Could not send the message to the user!' => '¡No se ha podido enviar un mensaje al usuario!',
|
||||
'Create new group' => 'Crear nuevo grupo',
|
||||
'Create new profile category' => 'Crear nueva categoría de perfil',
|
||||
'Create new profile field' => 'Crear nuevo campo de perfil',
|
||||
'Deactivate individual profile permissions?' => '¿Desactivar los permisos de perfil individual?',
|
||||
'Decline' => 'Declinar',
|
||||
'Decline & delete user: <strong>{displayName}</strong>' => 'Declinar y borrar usuario: <strong>{displayName}</strong>',
|
||||
'Decline all selected' => 'Rechazar todos los seleccionados',
|
||||
'Default' => 'Predeterminado',
|
||||
'Default Profile Permissions' => 'Permisos de perfil predeterminados',
|
||||
'Default Sorting' => 'Orden por defecto',
|
||||
'Default content of the email when sending a message to the user' => 'Contenido por defecto del mensaje cuando se envía un correo al usuario',
|
||||
'Default content of the registration approval email' => 'Contenido por defecto del mensaje de aceptación del registro',
|
||||
'Default content of the registration denial email' => 'Contenido por defecto del mensaje de denegación del registro',
|
||||
'Default group can not be deleted!' => '¡El grupo por defecto no puede borrarse!',
|
||||
'Default user idle timeout, auto-logout (in seconds, optional)' => 'Tiempo de inactividad antes de cerrar sesión (en segundos, opcional)',
|
||||
'Default user profile visibility' => 'Visibilidad del perfil de usuario por defecto',
|
||||
'Delete' => 'Borrar',
|
||||
'Delete All' => 'Borrar todas',
|
||||
'Delete all contributions of this user' => 'Borrar todas las contribuciones de este usuario',
|
||||
'Delete invitation' => 'Borrar invitación',
|
||||
'Delete invitation?' => '¿Borrar invitación?',
|
||||
'Delete pending registrations?' => '¿Borrar los registros pendientes?',
|
||||
'Delete spaces which are owned by this user' => 'Borrar los espacios que son propiedad de este usuario',
|
||||
'Deleted' => 'Borrado',
|
||||
'Deleted invitation' => 'Borrar invitación',
|
||||
'Deleted users' => 'Borrar usuarios',
|
||||
'Disable' => 'Deshabilitar',
|
||||
'Disabled' => 'Deshabilitado',
|
||||
'Disabled users' => 'Deshabilitar usuarios',
|
||||
'Do not change placeholders like {displayName} if you want them to be automatically filled by the system. To reset the email content fields with the system default, leave them empty.' => 'No modifique los marcadores como {displayName} si quiere que el sistema los rellene automáticamente. Para reiniciar los campos de contenido de correo electrónico a los valores por defecto del sistema déjelos vacíos.',
|
||||
'Do you really want to delete pending registrations?' => '¿Seguro que quieres borrar los registros pendientes?',
|
||||
'Do you really want to re-send the invitations to pending registration users?' => '¿Seguro que quieres reenviar las invitaciones a los usuarios pendientes de registro?',
|
||||
'Edit' => 'Editar',
|
||||
'Edit category' => 'Editar categoria',
|
||||
'Edit profile category' => 'Editar categoría de perfil',
|
||||
'Edit profile field' => 'Editar campo de perfil',
|
||||
'Edit user: {name}' => 'Editar usuario: {name}',
|
||||
'Email all selected' => 'Enviar un mensaje a todos los seleccionados',
|
||||
'Enable' => 'Habilitar',
|
||||
'Enable individual profile permissions' => 'Habilitar permisos de perfil individual',
|
||||
'Enabled' => 'Habilitado',
|
||||
'First name' => 'Nombre',
|
||||
'Group Manager' => 'Administrador de Grupo',
|
||||
'Group not found!' => '¡Grupo no encontrado!',
|
||||
'Group user not found!' => '¡Usuario de grupo no encontrado!',
|
||||
'Groups' => 'Grupos',
|
||||
'Hello {displayName},
|
||||
|
||||
Your account creation is under review.
|
||||
Could you tell us the motivation behind your registration?
|
||||
@ -97,7 +105,7 @@ Kind Regards
|
||||
{AdminName}
|
||||
|
||||
' => 'Hola {displayName}. Estamos revisando la creación de tu cuenta. ¿Podrías indicarnos cuál es la razón de que te hayas registrado? Muchas gracias, {AdminName}',
|
||||
'Hello {displayName},
|
||||
'Hello {displayName},
|
||||
|
||||
Your account has been activated.
|
||||
|
||||
@ -108,7 +116,7 @@ Kind Regards
|
||||
{AdminName}
|
||||
|
||||
' => 'Hola {displayName}, Tu cuenta ha sido activada. Haz clic aquí para acceder:: {loginUrl} Gracias {AdminName}',
|
||||
'Hello {displayName},
|
||||
'Hello {displayName},
|
||||
|
||||
Your account request has been declined.
|
||||
|
||||
@ -116,114 +124,105 @@ Kind Regards
|
||||
{AdminName}
|
||||
|
||||
' => 'hola {displayName}, Tu petición de cuenta ha sido rechazada. Gracias {AdminName}',
|
||||
'Here you can create or edit profile categories and fields.' => 'Aquí puedes crear o editar categorías y campos de perfil.',
|
||||
'Hide online status of users' => 'Ocultar el estado online de los usuarios',
|
||||
'If enabled, the Group Manager will need to approve registration.' => 'Si se activa, el administrador será necesaria la aprobación del administrador del grupo.',
|
||||
'If individual profile permissions are not allowed, the following settings are unchangeable for all users. If individual profile permissions are allowed, the settings are only set as defaults that users can customise. The following entries are then displayed in the same form in the users profile settings:' => 'Si no se permiten permisos de perfil individual, la siguiente configuración no se puede cambiar para todos los usuarios. Si se permiten permisos de perfil individual, la configuración solo se establece como valores predeterminados que los usuarios pueden personalizar. Las siguientes entradas se muestran en el mismo formulario en la configuración del perfil de usuario:',
|
||||
'If this option is not selected, the ownership of the spaces will be transferred to your account.' => 'Si no está seleccionada esta opción, la propiedad de los espacios será transferida a tu cuenta.',
|
||||
'Impersonate' => 'Asumir identidad',
|
||||
'Information 1' => 'Información 1',
|
||||
'Information 2' => 'Información 2',
|
||||
'Information 3' => 'Información 3',
|
||||
'Invisible' => 'Invisible',
|
||||
'Invite new people' => 'Invitar a otras personas',
|
||||
'Invite not found!' => '¡No se ha encontrado la invitación!',
|
||||
'Last login' => 'Último registro',
|
||||
'Last name' => 'Apellido',
|
||||
'List pending registrations' => 'Lista de registros pendientes',
|
||||
'Make the group selectable at registration.' => 'Permitir que se seleccione el grupo durante el registro.',
|
||||
'Manage group: {groupName}' => 'Administrar grupo: {groupName}',
|
||||
'Manage groups' => 'Gestionar grupos',
|
||||
'Manage profile attributes' => 'Gestionar atributos de perfil',
|
||||
'Member since' => 'Miembro desde',
|
||||
'Members' => 'Miembros',
|
||||
'Members can invite external users by email' => 'Los miembros pueden invitar a usuarios externos por correo electrónico',
|
||||
'Members can invite external users by link' => 'Los usuarios pueden invitar a usuarios externos mediante un enlace',
|
||||
'Message' => 'Mensaje',
|
||||
'New approval requests' => 'Nuevas peticiones de aprobación',
|
||||
'New users can register' => 'Los usuarios anónimos pueden registrarse',
|
||||
'No' => 'No',
|
||||
'No users were selected.' => 'No se han seleccionado usuarios.',
|
||||
'No value found!' => '¡Valor no encontrado!',
|
||||
'None' => 'Ninguno',
|
||||
'Not visible' => 'No visible',
|
||||
'One or more user needs your approval as group admin.' => 'Uno o más usuarios necesita tu aprobación como administrador del grupo.',
|
||||
'Only applicable when limited access for non-authenticated users is enabled. Only affects new users.' => 'Sólo aplicable cuando hay acceso limitado activado para los usuarios no autentificados. Sólo afecta a los usuarios nuevos.',
|
||||
'Overview' => 'Resumen',
|
||||
'Password' => 'Clave',
|
||||
'Pending approvals' => 'Aprobaciones pendientes',
|
||||
'Pending user approvals' => 'Aprobaciones de usuario pendientes',
|
||||
'People' => 'Gente',
|
||||
'Permanently delete' => 'Borrar permanentemente',
|
||||
'Permissions' => 'Permisos',
|
||||
'Post-registration approval required' => 'Se requiere una aprobación posterior al registro',
|
||||
'Prioritised User Group' => 'Grupo de usuarios prioritario',
|
||||
'Profile Permissions' => 'Permisos de perfil',
|
||||
'Profiles' => 'Perfiles',
|
||||
'Protected' => 'Protegido',
|
||||
'Protected group can not be deleted!' => '¡Un grupo protegido no puede borrarse!',
|
||||
'Remove from group' => 'Remover del grupo',
|
||||
'Resend invitation email' => 'Reenviar mensaje de invitación',
|
||||
'Save' => 'Guardar',
|
||||
'Search by name, email or id.' => 'Buscar por nombre, email o id',
|
||||
'Select Groups' => 'Seleccionar grupos',
|
||||
'Select a prioritised group whose members are displayed before all others when the sorting option \'Default\' is selected. The users within the group and the users outside the group are additionally sorted by their last login.' => 'Seleccione un grupo prioritario cuyos miembros serán mostrados antes que los demás cuando se seleccione la ordenación por defecto. Los usuarios de ese grupo y los de fuera del grupo se ordenarán además por su último acceso.',
|
||||
'Select the profile fields you want to add as columns' => 'Seleccionar los campos del perfil que quieres añadir como columnas',
|
||||
'Select which user information should be displayed in the \'People\' overview. You can select any profile fields, even those you have created individually. ' => 'Seleccione qué información de usuario será mostrada en la vista de “Personas”. Puede seleccionar cualquier campo del perfil, incluso los que se hayan creado individualmente.',
|
||||
'Send' => 'Enviar',
|
||||
'Send & decline' => 'Enviar y rechazar',
|
||||
'Send & save' => 'Enviar y guardar',
|
||||
'Send a message' => 'Enviar un mensaje',
|
||||
'Send a message to <strong>{displayName}</strong> ' => 'Enviar un mensaje a <strong>{displayName}</strong>',
|
||||
'Send invitation email' => 'Enviar mensaje de invitación',
|
||||
'Send invitation email again?' => '¿Reenviar el mensaje de invitación?',
|
||||
'Send notifications to users when added to or removed from the group.' => 'Enviar notificaciones a los usuarios cuando se les añada o elimine del grupo.',
|
||||
'Settings' => 'Ajustes',
|
||||
'Show group selection at registration' => 'Mostrar selección de grupo al registrarse',
|
||||
'Subject' => 'Asunto',
|
||||
'The Space memberships of all group members will be updated. This may take up to several minutes.' => 'Se actualizarán las pertenencias al espacio de todos los grupos. Esta operación puede tardar varios minutos.',
|
||||
'The following list contains all pending sign-ups and invites.' => 'La lista siguiente contiene todos los registros e invitaciones pendientes.',
|
||||
'The following list contains all registered users awaiting an approval.' => 'La siguiente lista contiene todos los usuarios registrados que esperan una aprobación.',
|
||||
'The message has been sent by email.' => 'Se ha enviado un mensaje por correo electrónico.',
|
||||
'The registration was approved and the user was notified by email.' => 'El registro ha sido aprobado y el usuario ha sido notificado por correo electrónico.',
|
||||
'The registration was declined and the user was notified by email.' => 'El registro ha sido rechazado y se ha notificado al usuario por correo electrónico.',
|
||||
'The registrations were approved and the users were notified by email.' => 'Los registros han sido aprobados y se ha notificado a los usuarios por correo electrónico.',
|
||||
'The registrations were declined and the users were notified by email.' => 'Los registros han sido rechazados y se ha notificado a los usuarios por correo electrónico.',
|
||||
'The selected invitations have been successfully deleted!' => 'Se han eliminado con éxito las invitaciones pendientes seleccionadas.',
|
||||
'The user is the owner of these spaces:' => 'El usuario es el propietario de estos espacios:',
|
||||
'The users were notified by email.' => 'Se ha notificado a los usuarios por correo electrónico.',
|
||||
'This option allows you to determine whether users may set individual permissions for their own profiles.' => 'Esta opción le permite determinar si los usuarios pueden establecer permisos individuales para sus propios perfiles.',
|
||||
'This overview contains a list of each registered user with actions to view, edit and delete users.' => 'Esta vista contiene una lista de cada usuario registrado con acciones para ver, editar y eliminar usuarios.',
|
||||
'This user owns no spaces.' => 'Este usuario no posee espacios.',
|
||||
'Unapproved' => 'Desaprobado',
|
||||
'User deletion process queued.' => 'Se ha encolado el proceso de borrado del usuario.',
|
||||
'User is already a member of this group.' => 'Este usuario ya es miembro de este grupo.',
|
||||
'User not found!' => '¡Usuario no encontrado!',
|
||||
'Users can be assigned to different groups (e.g. teams, departments etc.) with specific standard spaces, group managers and permissions.' => 'Los usuarios pueden asignarse a diferentes grupos (por ejemplo, equipos, departamentos, etc.) con espacios estándar específicos, administradores de grupo y permisos.',
|
||||
'Using this option any contributions (e.g. contents, comments or likes) of this user will be irrevocably deleted.' => 'Al utilizar esta opción cualquier contribución (p. ej. contenidos, comentarios o “me gusta”) de este usuario se borrará de forma irrecuperable.',
|
||||
'View profile' => 'Ver perfil',
|
||||
'Visible for members only' => 'Visible para miembros únicamente',
|
||||
'Visible for members+guests' => 'Visible para miembros + invitados',
|
||||
'Will be used as a filter in \'People\'.' => 'Se utilizará como filtro en “Personas”.',
|
||||
'Yes' => 'Sí',
|
||||
'You can only delete empty categories!' => '¡Sólo puedes borrar categorías vacias!',
|
||||
'You cannot delete yourself!' => '¡No te puedes borrar a tí mismo!',
|
||||
'never' => 'Nunca',
|
||||
'{nbMsgSent} already sent' => 'Ya se ha enviado {nbMsgSent}',
|
||||
'All existing Profile Topics will be converted to Global Topics.' => '',
|
||||
'All open registration invitations were successfully re-sent.' => '',
|
||||
'Allow individual topics on profiles' => '',
|
||||
'Cannot resend invitation email!' => '',
|
||||
'Convert' => '',
|
||||
'Convert Profile Topics' => '',
|
||||
'Delete pending registrations?' => '',
|
||||
'Do you really want to delete pending registrations?' => '',
|
||||
'Do you really want to re-send the invitations to pending registration users?' => '',
|
||||
'Re-send to all' => '',
|
||||
'Resend invitation?' => '',
|
||||
'Resend invitations?' => '',
|
||||
'The default user idle timeout is used when user session is idle for a certain time. The user is automatically logged out after this time.' => '',
|
||||
'The selected invitations have been successfully re-sent!' => '',
|
||||
'The user cannot be removed from this Group!' => '',
|
||||
'The user cannot be removed from this Group, as users are required to be assigned to at least one Group.' => '',
|
||||
'Here you can create or edit profile categories and fields.' => 'Aquí puedes crear o editar categorías y campos de perfil.',
|
||||
'Hide online status of users' => 'Ocultar el estado online de los usuarios',
|
||||
'If enabled, the Group Manager will need to approve registration.' => 'Si se activa, el administrador será necesaria la aprobación del administrador del grupo.',
|
||||
'If individual profile permissions are not allowed, the following settings are unchangeable for all users. If individual profile permissions are allowed, the settings are only set as defaults that users can customise. The following entries are then displayed in the same form in the users profile settings:' => 'Si no se permiten permisos de perfil individual, la siguiente configuración no se puede cambiar para todos los usuarios. Si se permiten permisos de perfil individual, la configuración solo se establece como valores predeterminados que los usuarios pueden personalizar. Las siguientes entradas se muestran en el mismo formulario en la configuración del perfil de usuario:',
|
||||
'If this option is not selected, the ownership of the spaces will be transferred to your account.' => 'Si no está seleccionada esta opción, la propiedad de los espacios será transferida a tu cuenta.',
|
||||
'Impersonate' => 'Asumir identidad',
|
||||
'Information 1' => 'Información 1',
|
||||
'Information 2' => 'Información 2',
|
||||
'Information 3' => 'Información 3',
|
||||
'Invisible' => 'Invisible',
|
||||
'Invite new people' => 'Invitar a otras personas',
|
||||
'Invite not found!' => '¡No se ha encontrado la invitación!',
|
||||
'Last login' => 'Último registro',
|
||||
'Last name' => 'Apellido',
|
||||
'List pending registrations' => 'Lista de registros pendientes',
|
||||
'Make the group selectable at registration.' => 'Permitir que se seleccione el grupo durante el registro.',
|
||||
'Manage group: {groupName}' => 'Administrar grupo: {groupName}',
|
||||
'Manage groups' => 'Gestionar grupos',
|
||||
'Manage profile attributes' => 'Gestionar atributos de perfil',
|
||||
'Member since' => 'Miembro desde',
|
||||
'Members' => 'Miembros',
|
||||
'Members can invite external users by email' => 'Los miembros pueden invitar a usuarios externos por correo electrónico',
|
||||
'Members can invite external users by link' => 'Los usuarios pueden invitar a usuarios externos mediante un enlace',
|
||||
'Message' => 'Mensaje',
|
||||
'New approval requests' => 'Nuevas peticiones de aprobación',
|
||||
'New users can register' => 'Los usuarios anónimos pueden registrarse',
|
||||
'No' => 'No',
|
||||
'No users were selected.' => 'No se han seleccionado usuarios.',
|
||||
'No value found!' => '¡Valor no encontrado!',
|
||||
'None' => 'Ninguno',
|
||||
'Not visible' => 'No visible',
|
||||
'One or more user needs your approval as group admin.' => 'Uno o más usuarios necesita tu aprobación como administrador del grupo.',
|
||||
'Only applicable when limited access for non-authenticated users is enabled. Only affects new users.' => 'Sólo aplicable cuando hay acceso limitado activado para los usuarios no autentificados. Sólo afecta a los usuarios nuevos.',
|
||||
'Overview' => 'Resúmen',
|
||||
'Password' => 'Clave',
|
||||
'Pending approvals' => 'Aprobaciones pendientes',
|
||||
'Pending user approvals' => 'Aprobaciones de usuario pendientes',
|
||||
'People' => 'Gente',
|
||||
'Permanently delete' => 'Borrar permanentemente',
|
||||
'Permissions' => 'Permisos',
|
||||
'Post-registration approval required' => 'Se requiere una aprobación posterior al registro',
|
||||
'Prioritised User Group' => 'Grupo de usuarios prioritario',
|
||||
'Profile Permissions' => 'Permisos de perfil',
|
||||
'Profiles' => 'Perfiles',
|
||||
'Protected' => 'Protegido',
|
||||
'Protected group can not be deleted!' => '¡Un grupo protegido no puede borrarse!',
|
||||
'Re-send to all' => 'Reenviar a todos',
|
||||
'Remove from group' => 'Remover del grupo',
|
||||
'Resend invitation email' => 'Reenviar mensaje de invitación',
|
||||
'Resend invitation?' => '¿Reenviar invitación?',
|
||||
'Resend invitations?' => '¿Reenviar las invitaciones?',
|
||||
'Save' => 'Guardar',
|
||||
'Search by name, email or id.' => 'Buscar por nombre, email o id',
|
||||
'Select Groups' => 'Seleccionar grupos',
|
||||
'Select a prioritised group whose members are displayed before all others when the sorting option \'Default\' is selected. The users within the group and the users outside the group are additionally sorted by their last login.' => 'Seleccione un grupo prioritario cuyos miembros serán mostrados antes que los demás cuando se seleccione la ordenación por defecto. Los usuarios de ese grupo y los de fuera del grupo se ordenarán además por su último acceso.',
|
||||
'Select the profile fields you want to add as columns' => 'Seleccionar los campos del perfil que quieres añadir como columnas',
|
||||
'Select which user information should be displayed in the \'People\' overview. You can select any profile fields, even those you have created individually. ' => 'Seleccione qué información de usuario será mostrada en la vista de “Personas”. Puede seleccionar cualquier campo del perfil, incluso los que se hayan creado individualmente.',
|
||||
'Send' => 'Enviar',
|
||||
'Send & decline' => 'Enviar y rechazar',
|
||||
'Send & save' => 'Enviar y guardar',
|
||||
'Send a message' => 'Enviar un mensaje',
|
||||
'Send a message to <strong>{displayName}</strong> ' => 'Enviar un mensaje a <strong>{displayName}</strong>',
|
||||
'Send invitation email' => 'Enviar mensaje de invitación',
|
||||
'Send invitation email again?' => '¿Reenviar el mensaje de invitación?',
|
||||
'Send notifications to users when added to or removed from the group.' => 'Enviar notificaciones a los usuarios cuando se les añada o elimine del grupo.',
|
||||
'Settings' => 'Configuraciones',
|
||||
'Show group selection at registration' => 'Mostrar selección de grupo al registrarse',
|
||||
'Subject' => 'Asunto',
|
||||
'The Space memberships of all group members will be updated. This may take up to several minutes.' => 'Se actualizarán las pertenencias al espacio de todos los grupos. Esta operación puede tardar varios minutos.',
|
||||
'The default user idle timeout is used when user session is idle for a certain time. The user is automatically logged out after this time.' => 'El temporizador de inactividad de usuario por defecto se utiliza cuando un usuario no hace ninguna acción en un determinado periodo. El usuario es desconectado automáticamente después de ese tiempo.',
|
||||
'The following list contains all pending sign-ups and invites.' => 'La lista siguiente contiene todos los registros e invitaciones pendientes.',
|
||||
'The following list contains all registered users awaiting an approval.' => 'La siguiente lista contiene todos los usuarios registrados que esperan una aprobación.',
|
||||
'The message has been sent by email.' => 'Se ha enviado un mensaje por correo electrónico.',
|
||||
'The registration was approved and the user was notified by email.' => 'El registro ha sido aprobado y el usuario ha sido notificado por correo electrónico.',
|
||||
'The registration was declined and the user was notified by email.' => 'El registro ha sido rechazado y se ha notificado al usuario por correo electrónico.',
|
||||
'The registrations were approved and the users were notified by email.' => 'Los registros han sido aprobados y se ha notificado a los usuarios por correo electrónico.',
|
||||
'The registrations were declined and the users were notified by email.' => 'Los registros han sido rechazados y se ha notificado a los usuarios por correo electrónico.',
|
||||
'The selected invitations have been successfully deleted!' => 'Se han eliminado con éxito las invitaciones pendientes seleccionadas.',
|
||||
'The selected invitations have been successfully re-sent!' => '¡Se han enviado con éxito las invitaciones seleccionadas!',
|
||||
'The user cannot be removed from this Group!' => '¡No se puede eliminar el usuario de este grupo!',
|
||||
'The user cannot be removed from this Group, as users are required to be assigned to at least one Group.' => 'El usuario no se puede eliminar de este grupo, puesto que los usuarios tienen que pertenecer al menos a un grupo.',
|
||||
'The user is the owner of these spaces:' => 'El usuario es el propietario de estos espacios:',
|
||||
'The users were notified by email.' => 'Se ha notificado a los usuarios por correo electrónico.',
|
||||
'This option allows you to determine whether users may set individual permissions for their own profiles.' => 'Esta opción le permite determinar si los usuarios pueden establecer permisos individuales para sus propios perfiles.',
|
||||
'This overview contains a list of each registered user with actions to view, edit and delete users.' => 'Esta vista contiene una lista de cada usuario registrado con acciones para ver, editar y eliminar usuarios.',
|
||||
'This user owns no spaces.' => 'Este usuario no posee espacios.',
|
||||
'Unapproved' => 'Desaprobado',
|
||||
'User deletion process queued.' => 'Se ha encolado el proceso de borrado del usuario.',
|
||||
'User is already a member of this group.' => 'Este usuario ya es miembro de este grupo.',
|
||||
'User not found!' => '¡Usuario no encontrado!',
|
||||
'Users can be assigned to different groups (e.g. teams, departments etc.) with specific standard spaces, group managers and permissions.' => 'Los usuarios pueden asignarse a diferentes grupos (por ejemplo, equipos, departamentos, etc.) con espacios estándar específicos, administradores de grupo y permisos.',
|
||||
'Using this option any contributions (e.g. contents, comments or likes) of this user will be irrevocably deleted.' => 'Al utilizar esta opción cualquier contribución (p. ej. contenidos, comentarios o “me gusta”) de este usuario se borrará de forma irrecuperable.',
|
||||
'View profile' => 'Ver perfil',
|
||||
'Visible for members only' => 'Visible para miembros únicamente',
|
||||
'Visible for members+guests' => 'Visible para miembros + invitados',
|
||||
'Will be used as a filter in \'People\'.' => 'Se utilizará como filtro en “Personas”.',
|
||||
'Yes' => 'Sí',
|
||||
'You can only delete empty categories!' => '¡Sólo puedes borrar categorías vacias!',
|
||||
'You cannot delete yourself!' => '¡No te puedes borrar a tí mismo!',
|
||||
'never' => 'Nunca',
|
||||
'{nbMsgSent} already sent' => 'Ya se ha enviado {nbMsgSent}',
|
||||
];
|
||||
|
@ -3,11 +3,13 @@
|
||||
return [
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Manage All Content' => '',
|
||||
'Manage Groups' => '',
|
||||
'Manage Modules' => '',
|
||||
'Manage Settings' => '',
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Sartu Administrazio Informazioa atalera',
|
||||
'Can access the \'Administration -> Information\' section.' => '\'Administration - Information\' atalean sar zaitezke.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '\'Administration - Spaces\' atalean espazioak kudeatu ditzakezu.',
|
||||
'Can manage general settings.' => 'Ezarpen orokorrak kudea dezakezu.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '\'Administration - Modules\' atalaren barruan moduluak kudea ditzakezu.',
|
||||
'Can manage users and groups' => 'Erabiltzaileak eta taldeak kudea ditzake',
|
||||
'Can manage users and user profiles.' => 'Erabiltzaileak eta erabiltzaile-profilak kudea ditzakezu.',
|
||||
'Manage Groups' => 'Taldeak kudeatu',
|
||||
'Manage Modules' => 'Moduluak kudeatu',
|
||||
'Manage Settings' => 'Ezarpenak kudeatu',
|
||||
'Manage Spaces' => 'Espazioak kudeatu',
|
||||
'Manage Users' => 'Erabiltzaileak kudeatu',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Sartu Administrazio Informazioa atalera',
|
||||
'Can access the \'Administration -> Information\' section.' => '\'Administration - Information\' atalean sar zaitezke.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '\'Administration - Spaces\' atalean espazioak kudeatu ditzakezu.',
|
||||
'Can manage general settings.' => 'Ezarpen orokorrak kudea dezakezu.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '\'Administration - Modules\' atalaren barruan moduluak kudea ditzakezu.',
|
||||
'Can manage users and groups' => 'Erabiltzaileak eta taldeak kudea ditzake',
|
||||
'Can manage users and user profiles.' => 'Erabiltzaileak eta erabiltzaile-profilak kudea ditzakezu.',
|
||||
'Manage Groups' => 'Taldeak kudeatu',
|
||||
'Manage Modules' => 'Moduluak kudeatu',
|
||||
'Manage Settings' => 'Ezarpenak kudeatu',
|
||||
'Manage Spaces' => 'Espazioak kudeatu',
|
||||
'Manage Users' => 'Erabiltzaileak kudeatu',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Manage Groups' => 'مدیریت گروهها',
|
||||
'Manage Modules' => 'مدیریت ماژولها',
|
||||
'Manage Settings' => 'مدیریت تنظیمات',
|
||||
'Manage Spaces' => 'مدیریت انجمنها',
|
||||
'Manage Users' => 'مدیریت کاربران',
|
||||
);
|
||||
|
||||
return [
|
||||
'Manage Groups' => 'مدیریت گروهها',
|
||||
'Manage Modules' => 'مدیریت ماژولها',
|
||||
'Manage Settings' => 'مدیریت تنظیمات',
|
||||
'Manage Spaces' => 'مدیریت انجمنها',
|
||||
'Manage Users' => 'مدیریت کاربران',
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Pääsy hallinta tietoihin',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Pääsy \'Hallinta -> Tiedot\' osioon.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Voi hallita laajennuksia \'Hallinta -> Laajennukset\' kohdasta.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Voi hallita sivuja kohdasta \'Hallinta -> Sivut\' (luoda/muokata/poistaa).',
|
||||
'Can manage general settings.' => 'Voi muuttaa käyttäjä- sivu- ja muita yleisiä-asetuksia.',
|
||||
'Can manage users and groups' => 'Voi hallita ryhmiä',
|
||||
'Can manage users and user profiles.' => 'Voi hallita käyttäjä ja käyttäjien profiileja.',
|
||||
'Manage Groups' => 'Hallita Ryhmiä',
|
||||
'Manage Modules' => 'Hallita Laajennuksia',
|
||||
'Manage Settings' => 'Muuttaa Asetuksia',
|
||||
'Manage Spaces' => 'Hallita Sivuja',
|
||||
'Manage Users' => 'Hallita Käyttäjiä',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Pääsy hallinta tietoihin',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Pääsy \'Hallinta -> Tiedot\' osioon.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Voi hallita sivuja kohdasta \'Hallinta -> Sivut\' (luoda/muokata/poistaa).',
|
||||
'Can manage general settings.' => 'Voi muuttaa käyttäjä- sivu- ja muita yleisiä-asetuksia.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Voi hallita laajennuksia \'Hallinta -> Laajennukset\' kohdasta.',
|
||||
'Can manage users and groups' => 'Voi hallita ryhmiä',
|
||||
'Can manage users and user profiles.' => 'Voi hallita käyttäjä ja käyttäjien profiileja.',
|
||||
'Manage Groups' => 'Hallita Ryhmiä',
|
||||
'Manage Modules' => 'Hallita Laajennuksia',
|
||||
'Manage Settings' => 'Muuttaa Asetuksia',
|
||||
'Manage Spaces' => 'Hallita Sivuja',
|
||||
'Manage Users' => 'Hallita Käyttäjiä',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Accéder aux informations d\'administration',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Autoriser les utilisateurs à accéder à la section \'Administration > Informations\'',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Autoriser les utilisateurs à gérer les modules dans la section \'Administration > Modules\'',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Autoriser les utilisateurs à gérer les espaces dans la section \'Administration > Espaces\'',
|
||||
'Can manage general settings.' => 'Autoriser les utilisateurs à gérer les utilisateurs, les espaces et les paramètres généraux',
|
||||
'Can manage users and groups' => 'Autoriser les utilisateurs à gérer les utilisateurs et les groupes',
|
||||
'Can manage users and user profiles.' => 'Autoriser les utilisateurs à gérer les autres utilisateurs',
|
||||
'Manage Groups' => 'Gestion des groupes',
|
||||
'Manage Modules' => 'Gestion des modules',
|
||||
'Manage Settings' => 'Gestion des paramètres',
|
||||
'Manage Spaces' => 'Gestion des espaces',
|
||||
'Manage Users' => 'Gestion des utilisateurs',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Accéder aux informations d\'administration',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Autoriser les utilisateurs à accéder à la section \'Administration > Informations\'',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Autoriser les utilisateurs à gérer les espaces dans la section \'Administration > Espaces\'',
|
||||
'Can manage general settings.' => 'Autoriser les utilisateurs à gérer les utilisateurs, les espaces et les paramètres généraux',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Autoriser les utilisateurs à gérer les modules dans la section \'Administration > Modules\'',
|
||||
'Can manage users and groups' => 'Autoriser les utilisateurs à gérer les utilisateurs et les groupes',
|
||||
'Can manage users and user profiles.' => 'Autoriser les utilisateurs à gérer les autres utilisateurs',
|
||||
'Manage Groups' => 'Gestion des groupes',
|
||||
'Manage Modules' => 'Gestion des modules',
|
||||
'Manage Settings' => 'Gestion des paramètres',
|
||||
'Manage Spaces' => 'Gestion des espaces',
|
||||
'Manage Users' => 'Gestion des utilisateurs',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,29 +1,15 @@
|
||||
<?php
|
||||
/**
|
||||
* Message translations.
|
||||
*
|
||||
* This file is automatically generated by 'yii message/extract' command.
|
||||
* It contains the localizable messages extracted from source code.
|
||||
* You may modify this file by translating the extracted messages.
|
||||
*
|
||||
* Each array element represents the translation (value) of a message (key).
|
||||
* If the value is empty, the message is considered as not translated.
|
||||
* Messages that no longer need translation will have their translations
|
||||
* enclosed between a pair of '@@' marks.
|
||||
*
|
||||
* Message string can be used with plural forms format. Check i18n section
|
||||
* of the guide for details.
|
||||
*
|
||||
* NOTE: this file must be saved in UTF-8 encoding.
|
||||
*/
|
||||
|
||||
return [
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Manage All Content' => '',
|
||||
'Manage Groups' => '',
|
||||
'Manage Modules' => '',
|
||||
'Manage Settings' => '',
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Pristupanje administratorskim informacijama',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Može pristupiti odjeljku \'Administracija - Informacije\'.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Može upravljati modulima unutar odjeljka \'Administracija - Moduli\'.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Može upravljati prostorima unutar odjeljka \'Administrator - Prostori\' (stvaranje / uređivanje / brisanje).',
|
||||
'Can manage general settings.' => 'Može upravljati korisničkim prostorom i općim postavkama.',
|
||||
'Can manage users and groups' => 'Može upravljati korisnicima i grupama',
|
||||
'Can manage users and user profiles.' => 'Može upravljati korisnicima i korisničkim profilima.',
|
||||
'Manage Groups' => 'Upravljanje grupama',
|
||||
'Manage Modules' => 'Upravljanje modulima',
|
||||
'Manage Settings' => 'Upravljanje postavkama',
|
||||
'Manage Spaces' => 'Upravljaj Prostorima',
|
||||
'Manage Users' => 'Upravljaj korsnicima',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Pristupanje administratorskim informacijama',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Može pristupiti odjeljku \'Administracija - Informacije\'.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Može upravljati prostorima unutar odjeljka \'Administrator - Prostori\' (stvaranje / uređivanje / brisanje).',
|
||||
'Can manage general settings.' => 'Može upravljati korisničkim prostorom i općim postavkama.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Može upravljati modulima unutar odjeljka \'Administracija - Moduli\'.',
|
||||
'Can manage users and groups' => 'Može upravljati korisnicima i grupama',
|
||||
'Can manage users and user profiles.' => 'Može upravljati korisnicima i korisničkim profilima.',
|
||||
'Manage Groups' => 'Upravljanje grupama',
|
||||
'Manage Modules' => 'Upravljanje modulima',
|
||||
'Manage Settings' => 'Upravljanje postavkama',
|
||||
'Manage Spaces' => 'Upravljaj Prostorima',
|
||||
'Manage Users' => 'Upravljaj korsnicima',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,29 +1,15 @@
|
||||
<?php
|
||||
/**
|
||||
* Message translations.
|
||||
*
|
||||
* This file is automatically generated by 'yii message/extract' command.
|
||||
* It contains the localizable messages extracted from source code.
|
||||
* You may modify this file by translating the extracted messages.
|
||||
*
|
||||
* Each array element represents the translation (value) of a message (key).
|
||||
* If the value is empty, the message is considered as not translated.
|
||||
* Messages that no longer need translation will have their translations
|
||||
* enclosed between a pair of '@@' marks.
|
||||
*
|
||||
* Message string can be used with plural forms format. Check i18n section
|
||||
* of the guide for details.
|
||||
*
|
||||
* NOTE: this file must be saved in UTF-8 encoding.
|
||||
*/
|
||||
|
||||
return [
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Manage All Content' => '',
|
||||
'Manage Groups' => '',
|
||||
'Manage Modules' => '',
|
||||
'Manage Settings' => '',
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Hozzáférés az admin információkhoz',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Hozzáférhetsz az "Adminisztráció -> Információ" szekcióhoz.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Kezelheted az "Adminisztráció -> Modulok" részben található modulokat.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Közösségeket kezelhetsz az "Adminisztráció -> Közösségek" szekción belül (létrehozás/szerkesztés/törlés).',
|
||||
'Can manage general settings.' => 'Kezelheted a felhasználói, közösség- és csoportbeállításokat',
|
||||
'Can manage users and groups' => 'Kezelheted a felhasználókat és a csoportokat.',
|
||||
'Can manage users and user profiles.' => 'Kezelheted a felhasználókat és a felhasználói profilokat.',
|
||||
'Manage Groups' => 'Csoportok kezelése',
|
||||
'Manage Modules' => 'Modulok kezelése',
|
||||
'Manage Settings' => 'Beállítások kezelése',
|
||||
'Manage Spaces' => 'Közösségek kezelése',
|
||||
'Manage Users' => 'Felhasználók kezelése',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Hozzáférés az admin információkhoz',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Hozzáférhetsz az "Adminisztráció -> Információ" szekcióhoz.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Közösségeket kezelhetsz az "Adminisztráció -> Közösségek" szekción belül (létrehozás/szerkesztés/törlés).',
|
||||
'Can manage general settings.' => 'Kezelheted a felhasználói, közösség- és csoportbeállításokat',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Kezelheted az "Adminisztráció -> Modulok" részben található modulokat.',
|
||||
'Can manage users and groups' => 'Kezelheted a felhasználókat és a csoportokat.',
|
||||
'Can manage users and user profiles.' => 'Kezelheted a felhasználókat és a felhasználói profilokat.',
|
||||
'Manage Groups' => 'Csoportok kezelése',
|
||||
'Manage Modules' => 'Modulok kezelése',
|
||||
'Manage Settings' => 'Beállítások kezelése',
|
||||
'Manage Spaces' => 'Közösségek kezelése',
|
||||
'Manage Users' => 'Felhasználók kezelése',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,29 +1,15 @@
|
||||
<?php
|
||||
/**
|
||||
* Message translations.
|
||||
*
|
||||
* This file is automatically generated by 'yii message/extract' command.
|
||||
* It contains the localizable messages extracted from source code.
|
||||
* You may modify this file by translating the extracted messages.
|
||||
*
|
||||
* Each array element represents the translation (value) of a message (key).
|
||||
* If the value is empty, the message is considered as not translated.
|
||||
* Messages that no longer need translation will have their translations
|
||||
* enclosed between a pair of '@@' marks.
|
||||
*
|
||||
* Message string can be used with plural forms format. Check i18n section
|
||||
* of the guide for details.
|
||||
*
|
||||
* NOTE: this file must be saved in UTF-8 encoding.
|
||||
*/
|
||||
|
||||
return [
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Manage All Content' => '',
|
||||
'Manage Groups' => '',
|
||||
'Manage Modules' => '',
|
||||
'Manage Settings' => '',
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Accesso Informazioni Amministrazione',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Accesso consentito a sezione "Amministrazione Informazioni"',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Può gestire gli spazi attraverso \'Amministrazione Spazi\' (creare/modificare/eliminare)',
|
||||
'Can manage general settings.' => 'Può gestire gli utenti, spazi e le impostazioni generali.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Gestione consentita moduli tramite sezione "Amministrazione Moduli".',
|
||||
'Can manage users and groups' => 'Può gestire gli utenti e i gruppi.',
|
||||
'Can manage users and user profiles.' => 'Può gestire gli utenti e i gruppi di utenti.',
|
||||
'Manage Groups' => 'Gestisci Gruppi',
|
||||
'Manage Modules' => 'Gestisci Moduli',
|
||||
'Manage Settings' => 'Gestisci Impostazioni',
|
||||
'Manage Spaces' => 'Gestisci Space',
|
||||
'Manage Users' => 'Gestisci Utenti',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Accesso Informazioni Amministrazione',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Accesso consentito a sezione "Amministrazione Informazioni"',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Può gestire gli spazi attraverso \'Amministrazione Spazi\' (creare/modificare/eliminare)',
|
||||
'Can manage general settings.' => 'Può gestire gli utenti, spazi e le impostazioni generali.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Gestione consentita moduli tramite sezione "Amministrazione Moduli".',
|
||||
'Can manage users and groups' => 'Può gestire gli utenti e i gruppi.',
|
||||
'Can manage users and user profiles.' => 'Può gestire gli utenti e i gruppi di utenti.',
|
||||
'Manage Groups' => 'Gestisci Gruppi',
|
||||
'Manage Modules' => 'Gestisci Moduli',
|
||||
'Manage Settings' => 'Gestisci Impostazioni',
|
||||
'Manage Spaces' => 'Gestisci Space',
|
||||
'Manage Users' => 'Gestisci Utenti',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,15 +1,17 @@
|
||||
<?php
|
||||
return array (
|
||||
return [
|
||||
'Access Admin Information' => '管理者情報へのアクセス',
|
||||
'Can access the \'Administration -> Information\' section.' => '「管理メニュー → インフォメーション」へのアクセスを許可します。',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '「管理メニュー → モジュール」で、モジュールの管理を許可します。',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => 'すべてのコンテンツ(非公開も含む)の管理(編集や削除など)が可能',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '「管理メニュー → スペース」で、スペースの管理を許可します(作成・編集・削除)。',
|
||||
'Can manage general settings.' => 'ユーザー、スペース、一般設定の管理を許可します。',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '「管理メニュー → モジュール」で、モジュールの管理を許可します。',
|
||||
'Can manage users and groups' => 'ユーザーとグループの管理を許可します。',
|
||||
'Can manage users and user profiles.' => 'ユーザーとユーザープロフィールの管理を許可します。',
|
||||
'Manage All Content' => '',
|
||||
'Manage Groups' => 'グループの管理',
|
||||
'Manage Modules' => 'モジュールの管理',
|
||||
'Manage Settings' => '設定の管理',
|
||||
'Manage Spaces' => 'スペースの管理',
|
||||
'Manage Users' => 'ユーザーの管理',
|
||||
);
|
||||
];
|
||||
|
@ -14,7 +14,7 @@ return [
|
||||
'Access Token' => 'アクセス Token',
|
||||
'Access token is not provided yet.' => 'アクセス Tokenはまだ提供されていません。',
|
||||
'Add OEmbed provider' => 'OEmbedプロパイダを追加する',
|
||||
'Add Topic' => 'トピックを追加',
|
||||
'Add Topic' => 'トピックを追加',
|
||||
'Add custom info text for maintenance mode. Displayed on the login page.' => 'メンテナンスモードのカスタム情報テキストを追加します。 ログインページに表示されます。',
|
||||
'Add individual info text...' => '個別の情報テキストを追加します...',
|
||||
'Add new provider' => 'プロパイダを追加する',
|
||||
|
@ -1,29 +1,15 @@
|
||||
<?php
|
||||
/**
|
||||
* Message translations.
|
||||
*
|
||||
* This file is automatically generated by 'yii message/extract' command.
|
||||
* It contains the localizable messages extracted from source code.
|
||||
* You may modify this file by translating the extracted messages.
|
||||
*
|
||||
* Each array element represents the translation (value) of a message (key).
|
||||
* If the value is empty, the message is considered as not translated.
|
||||
* Messages that no longer need translation will have their translations
|
||||
* enclosed between a pair of '@@' marks.
|
||||
*
|
||||
* Message string can be used with plural forms format. Check i18n section
|
||||
* of the guide for details.
|
||||
*
|
||||
* NOTE: this file must be saved in UTF-8 encoding.
|
||||
*/
|
||||
|
||||
return [
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Manage All Content' => '',
|
||||
'Manage Groups' => '',
|
||||
'Manage Modules' => '',
|
||||
'Manage Settings' => '',
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Prieiga prie Administracinės informacijos',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Prieiga prie Administravimas -> Informacija"',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Galite valdyti Erdves skyriuje "Administravimas -> Erdvės".',
|
||||
'Can manage general settings.' => 'Gali valdyti pagrindinius nustatymus',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Galite valdyti Modulius skyriuje "Administravimas -> Moduliai".',
|
||||
'Can manage users and groups' => 'Gali valdyti vartotojus ir grupes',
|
||||
'Can manage users and user profiles.' => 'Gali valdyti vartotojus ir proiflius',
|
||||
'Manage Groups' => 'Valdyti Grupes',
|
||||
'Manage Modules' => 'Valdyti Modulius',
|
||||
'Manage Settings' => 'Valdyti nustatymus',
|
||||
'Manage Spaces' => 'Valdyti erdves',
|
||||
'Manage Users' => 'Valdyti vartotojus',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Prieiga prie Administracinės informacijos',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Prieiga prie Administravimas -> Informacija"',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Galite valdyti Erdves skyriuje "Administravimas -> Erdvės".',
|
||||
'Can manage general settings.' => 'Gali valdyti pagrindinius nustatymus',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Galite valdyti Modulius skyriuje "Administravimas -> Moduliai".',
|
||||
'Can manage users and groups' => 'Gali valdyti vartotojus ir grupes',
|
||||
'Can manage users and user profiles.' => 'Gali valdyti vartotojus ir proiflius',
|
||||
'Manage Groups' => 'Valdyti Grupes',
|
||||
'Manage Modules' => 'Valdyti Modulius',
|
||||
'Manage Settings' => 'Valdyti nustatymus',
|
||||
'Manage Spaces' => 'Valdyti erdves',
|
||||
'Manage Users' => 'Valdyti vartotojus',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Piekļuve administrācijas informācijai',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Var piekļūt sadaļai \'Administrēšana -> Informācija\'.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Var pārvaldīt moduļus caur sadaļu \'Administrēšana -> Moduļi\'.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Var pārvaldīt vietas caur sadaļu \'Administrēšana -> Vietas\' (izveidot/labot/dzēst).',
|
||||
'Can manage general settings.' => 'Var pārvaldīt lietotāju, vietu un galvenos iestatījums.',
|
||||
'Can manage users and groups' => 'Var pārvaldīt lietotājus un grupas',
|
||||
'Can manage users and user profiles.' => 'Var pārvaldīt lietotājus un lietotāju profilus.',
|
||||
'Manage Groups' => 'Pārvaldīt grupas',
|
||||
'Manage Modules' => 'Pārvaldīt moduļus',
|
||||
'Manage Settings' => 'Pārvaldīt iestatījumus',
|
||||
'Manage Spaces' => 'Pārvaldīt vietas',
|
||||
'Manage Users' => 'Pārvaldīt lietotājus',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Piekļuve administrācijas informācijai',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Var piekļūt sadaļai \'Administrēšana -> Informācija\'.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Var pārvaldīt vietas caur sadaļu \'Administrēšana -> Vietas\' (izveidot/labot/dzēst).',
|
||||
'Can manage general settings.' => 'Var pārvaldīt lietotāju, vietu un galvenos iestatījums.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Var pārvaldīt moduļus caur sadaļu \'Administrēšana -> Moduļi\'.',
|
||||
'Can manage users and groups' => 'Var pārvaldīt lietotājus un grupas',
|
||||
'Can manage users and user profiles.' => 'Var pārvaldīt lietotājus un lietotāju profilus.',
|
||||
'Manage Groups' => 'Pārvaldīt grupas',
|
||||
'Manage Modules' => 'Pārvaldīt moduļus',
|
||||
'Manage Settings' => 'Pārvaldīt iestatījumus',
|
||||
'Manage Spaces' => 'Pārvaldīt vietas',
|
||||
'Manage Users' => 'Pārvaldīt lietotājus',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Få tilgang til Admin-informasjon',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Kan få tilgang til delen Administrasjon -> Informasjon.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Kan administrere moduler i delen \'Administrasjon -> Moduler\'.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Kan håndtere grupper i delen \'Administrasjon -> Grupper\' (opprett / rediger / slett).',
|
||||
'Can manage general settings.' => 'Kan administrere brukere- grupper- og generelle innstillinger.',
|
||||
'Can manage users and groups' => 'Kan administrere brukere og grupper',
|
||||
'Can manage users and user profiles.' => 'Kan administrere brukere og profiler.',
|
||||
'Manage Groups' => 'Administrere Grupper',
|
||||
'Manage Modules' => 'Administrere Moduler',
|
||||
'Manage Settings' => 'Administrere Innstillinger',
|
||||
'Manage Spaces' => 'Administrere Grupper',
|
||||
'Manage Users' => 'Administrere Brukere',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Få tilgang til Admin-informasjon',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Kan få tilgang til delen Administrasjon -> Informasjon.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Kan håndtere grupper i delen \'Administrasjon -> Grupper\' (opprett / rediger / slett).',
|
||||
'Can manage general settings.' => 'Kan administrere brukere- grupper- og generelle innstillinger.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Kan administrere moduler i delen \'Administrasjon -> Moduler\'.',
|
||||
'Can manage users and groups' => 'Kan administrere brukere og grupper',
|
||||
'Can manage users and user profiles.' => 'Kan administrere brukere og profiler.',
|
||||
'Manage Groups' => 'Administrere Grupper',
|
||||
'Manage Modules' => 'Administrere Moduler',
|
||||
'Manage Settings' => 'Administrere Innstillinger',
|
||||
'Manage Spaces' => 'Administrere Grupper',
|
||||
'Manage Users' => 'Administrere Brukere',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,15 +1,17 @@
|
||||
<?php
|
||||
return array (
|
||||
return [
|
||||
'Access Admin Information' => 'Toegang tot beheer informatie',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Toegang tot Beheer->informatie ',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Toegang tot Beheer->informatie',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => 'Kan alle inhoud (zelfs privé) beheren (bijvoorbeeld bewerken of verwijderen)',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Toegang tot beheer ruimtes (maken, wijzigen, verwijderen).',
|
||||
'Can manage general settings.' => 'Toegang tot beheer gebruiker->ruimte en algemene instellingen.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Toegang tot beheer modules.',
|
||||
'Can manage users and groups' => 'Toegang tot beheer gebruikers en groepen',
|
||||
'Can manage users and user profiles.' => 'Toegang tot beheer gebruikers en gebruikergegevens',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Toegang tot beheer modules.',
|
||||
'Manage All Content' => 'Beheer alle inhoud',
|
||||
'Manage Groups' => 'Beheer groepen',
|
||||
'Manage Modules' => 'Beheer modules',
|
||||
'Manage Settings' => 'Beheer instellingen',
|
||||
'Manage Spaces' => 'Beheer ruimtes',
|
||||
'Manage Users' => 'Beheer gebruikers',
|
||||
);
|
||||
];
|
||||
|
@ -1,29 +1,15 @@
|
||||
<?php
|
||||
/**
|
||||
* Message translations.
|
||||
*
|
||||
* This file is automatically generated by 'yii message/extract' command.
|
||||
* It contains the localizable messages extracted from source code.
|
||||
* You may modify this file by translating the extracted messages.
|
||||
*
|
||||
* Each array element represents the translation (value) of a message (key).
|
||||
* If the value is empty, the message is considered as not translated.
|
||||
* Messages that no longer need translation will have their translations
|
||||
* enclosed between a pair of '@@' marks.
|
||||
*
|
||||
* Message string can be used with plural forms format. Check i18n section
|
||||
* of the guide for details.
|
||||
*
|
||||
* NOTE: this file must be saved in UTF-8 encoding.
|
||||
*/
|
||||
|
||||
return [
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Manage All Content' => '',
|
||||
'Manage Groups' => '',
|
||||
'Manage Modules' => '',
|
||||
'Manage Settings' => '',
|
||||
|
@ -56,8 +56,8 @@ return [
|
||||
'People' => 'Ludzie',
|
||||
'Permissions' => 'Uprawnienia',
|
||||
'Proxy' => 'Serwer Proxy',
|
||||
'Resend to all' => '',
|
||||
'Resend to selected rows' => '',
|
||||
'Resend to all' => 'Ponów wysyłkę do wszystkich',
|
||||
'Resend to selected rows' => 'Ponów do wybranych',
|
||||
'Self test' => 'Auto test',
|
||||
'Set as default' => 'Ustaw jako domyślny',
|
||||
'Settings' => 'Ustawienia',
|
||||
@ -67,7 +67,7 @@ return [
|
||||
'Statistics' => 'Statystyki',
|
||||
'The cron job for the background jobs (queue) does not seem to work properly.' => 'Zadanie cron dla zadań w tle (kolejka) prawdopodobnie nie wykonało się poprawnie.',
|
||||
'The cron job for the regular tasks (cron) does not seem to work properly.' => 'Zadanie cron dla normalnych zadań (cron) prawdopodobnie nie wykonało się poprawnie.',
|
||||
'The mobile app push service is not available. Please install and configure the "Push Notifications" module.' => '',
|
||||
'The mobile app push service is not available. Please install and configure the "Push Notifications" module.' => 'Powiadomienia push nie są dostępne. Proszę zainstaluj i skonfiguruj moduł "Powiadomienia push".',
|
||||
'This overview shows you all installed modules and allows you to enable, disable, configure and of course uninstall them. To discover new modules, take a look into our Marketplace. Please note that deactivating or uninstalling a module will result in the loss of any content that was created with that module.' => 'To zestawienie zawiera wszystkie zainstalowane moduły. Możesz je włączyć, wyłączyć, skonfigurować a także odinstalować. W ramach ryneczku odnajdziesz nowości. Miej na uwadze, że wyłączając czy odinstalując moduł zniknie część treści - ta dodana przy jego użyciu.',
|
||||
'Topics' => 'Tematy',
|
||||
'Uninstall' => 'Odinstaluj',
|
||||
|
@ -1,106 +1,105 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'<strong>CronJob</strong> Status' => 'Stan <strong>CronJob</strong>',
|
||||
'<strong>Queue</strong> Status' => 'Stan <strong>Kolejki</strong>',
|
||||
'About HumHub' => 'O HumHub',
|
||||
'Assets' => 'Zasoby',
|
||||
'Background Jobs' => 'Zadania w tle',
|
||||
'Base URL' => 'Główny URL',
|
||||
'Checking HumHub software prerequisites.' => 'Sprawdzanie wstępnych wymagań oprogramowania HumHub.',
|
||||
'Current limit is: {currentLimit}' => 'Obecny limit wynosi: {currentLimit}',
|
||||
'Database' => 'Baza danych',
|
||||
'Database collation' => 'Sortowanie bazy danych',
|
||||
'Database driver - {driver}' => 'Sterownik bazy danych - {driver}',
|
||||
'Database migration results:' => 'Wynik migracji bazy danych:',
|
||||
'Delayed' => 'Opóźnione',
|
||||
'Disabled Functions' => 'Funkcje wyłączone',
|
||||
'Displaying {count} entries per page.' => 'Pokazano {count} wpisów na stronę.',
|
||||
'Done' => 'Zakończone',
|
||||
'Driver' => 'Sterownik',
|
||||
'Dynamic Config' => 'Ustawienia dynamiczne',
|
||||
'Error' => 'Błąd',
|
||||
'Flush entries' => 'Wyczyść wpisy',
|
||||
'HumHub' => 'HumHub',
|
||||
'HumHub Documentation' => 'Dokumentacja HumHub',
|
||||
'HumHub is currently in debug mode. Disable it when running on production!' => 'HumHub jest w trybie debugowania. Wyłącz go gdy udostępnisz stronę użytkownikom!',
|
||||
'ICU Data Version ({version})' => 'Wersja Danych ICU ({version})',
|
||||
'ICU Data {icuMinVersion} or higher is required' => 'Wersja Danych ICU {icuMinVersion} lub wyższa jest wymagana',
|
||||
'ICU Version ({version})' => 'Wersja ICU ({version})',
|
||||
'ICU {icuMinVersion} or higher is required' => 'ICU wersja {icuMinVersion} lub wyższa jest wymagana',
|
||||
'Increase memory limit in {fileName}' => 'Zwiększ limit pamięci w {fileName}',
|
||||
'Info' => 'Informacje',
|
||||
'Install {phpExtension} Extension' => 'Zainstaluj rozszerzenie {phpExtension}',
|
||||
'Install {phpExtension} Extension for APC Caching' => 'Zainstaluj rozszerzenie {phpExtension} do APC Caching\'u',
|
||||
'Install {phpExtension} Extension for e-mail S/MIME support.' => 'Zainstaluj rozszerzenie {phpExtension} do wsparcia e-mail S/MIME',
|
||||
'Last run (daily):' => 'Ostatnie uruchomienie (dzienne):',
|
||||
'Last run (hourly):' => 'Ostatnie uruchomienie (godzinowe):',
|
||||
'Licences' => 'Licencje',
|
||||
'Logging' => 'Logowanie',
|
||||
'Make sure that the `proc_open` function is not disabled.' => 'Upewnij się, że funkcja `proc_open` jest wyłączona.',
|
||||
'Make {filePath} writable for the Webserver/PHP!' => 'Ustaw {filePath} możliwą do zapisu dla serwera/PHP!',
|
||||
'Memory Limit ({memoryLimit})' => 'Limit pamięci ({memoryLimit})',
|
||||
'Minimum Version {minVersion}' => 'Minimalna Wersja {minVersion}',
|
||||
'Module Directory' => 'Katalog Modułów',
|
||||
'Multibyte String Functions' => 'Funkcje Ciągu znaków Multibyte',
|
||||
'Never' => 'Nigdy',
|
||||
'Optional' => 'Opcjonalne',
|
||||
'Other' => 'Inne',
|
||||
'Permissions' => 'Uprawnienia',
|
||||
'Please refer to the documentation to setup the cronjobs and queue workers.' => 'Proszę odnieść się do dokumentacji w celu ustawienia zadań cron i kolejki działań.',
|
||||
'Prerequisites' => 'Wymagania',
|
||||
'Profile Image' => 'Obraz profilowy',
|
||||
'Queue successfully cleared.' => 'Kolejka wyczyszczona prawidłowo',
|
||||
'Re-Run tests' => 'Uruchom ponownie testy',
|
||||
'Recommended collation is {collation}' => 'Zalecane sortowanie to {collation}',
|
||||
'Recommended collation is {collation} for the tables: {tables}' => 'Zalecane sortowanie to {collation} dla tabel: {tables}',
|
||||
'Recommended engine is {engine} for the tables: {tables}' => 'Zalecany silnik to {engine} dla tabel: {tables}',
|
||||
'Reserved' => 'Zarezerwowane',
|
||||
'Runtime' => 'Czas uruchomienia',
|
||||
'Search index rebuild in progress.' => 'Indeks szukania przebudowany prawidłowo.',
|
||||
'Search term...' => 'Szukana fraza...',
|
||||
'See installation manual for more details.' => 'Więcej informacji znajdziesz w instrukcji instalacji.',
|
||||
'Select category..' => 'Wybierz kategorię...',
|
||||
'Select day' => 'Wybierz dzień',
|
||||
'Select level...' => 'Wybierz poziom...',
|
||||
'Settings' => 'Ustawienia',
|
||||
'Supported drivers: {drivers}' => 'Wspierane sterowniki: {drivers}',
|
||||
'Table collations' => 'Sortowanie tabel',
|
||||
'Table engines' => 'Silniki tabel',
|
||||
'The current main HumHub database name is ' => 'Obecna nazwa głównej bazy danych HumHub to:',
|
||||
'There is a new update available! (Latest version: %version%)' => 'Dostępna jest aktualizacja! (Najnowsza wersja: %version%)',
|
||||
'This HumHub installation is up to date!' => 'Ta instalacja HumHuba jest aktualna!',
|
||||
'Total {count} entries found.' => 'W sumie znaleziono {count} wpisów.',
|
||||
'Trace' => 'Ślad',
|
||||
'Uploads' => 'Wgrane pliki',
|
||||
'Varying table engines are not supported.' => 'Różne sortowanie silników tabel nie jest obsługiwane',
|
||||
'Version' => 'Wersja',
|
||||
'Waiting' => 'Oczekiwanie',
|
||||
'Warning' => 'Ostrzeżenie',
|
||||
'{imageExtension} Support' => 'Wsparcie dla {imageExtension}',
|
||||
'{phpExtension} Extension' => 'Rozszerzenie {phpExtension}',
|
||||
'{phpExtension} Support' => 'Wsparcie dla {phpExtension}',
|
||||
'"Push Notifications (Firebase)" module and setup of Firebase API Key required' => '',
|
||||
'Configuration File' => '',
|
||||
'Custom Modules ({modules})' => '',
|
||||
'Deprecated Modules ({modules})' => '',
|
||||
'Detected URL: {currentBaseUrl}' => '',
|
||||
'Different table collations in the tables: {tables}' => '',
|
||||
'Marketplace API Connection' => '',
|
||||
'Mobile App - Push Service' => '',
|
||||
'Must be updated manually. Check compatibility with newer HumHub versions before updating.' => '',
|
||||
'New migrations should be applied: {migrations}' => '',
|
||||
'No pending migrations' => '',
|
||||
'Outstanding database migrations:' => '',
|
||||
'Pretty URLs' => '',
|
||||
'Rebuild search index' => '',
|
||||
'Refresh' => '',
|
||||
'The configuration file contains legacy settings. Invalid options: {options}' => '',
|
||||
'The module(s) are no longer maintained and should be uninstalled.' => '',
|
||||
'Update Database' => '',
|
||||
'Web Application PHP version: `{webPhpVersion}`, Cron PHP Version: `{cronPhpVersion}`' => '',
|
||||
'Web Application and Cron uses the same PHP version' => '',
|
||||
'Web Application and Cron uses the same user' => '',
|
||||
'Web Application user: `{webUser}`, Cron user: `{cronUser}`' => '',
|
||||
'Your database is <b>up-to-date</b>.' => '',
|
||||
'"Push Notifications (Firebase)" module and setup of Firebase API Key required' => 'Moduł "Powiadomienia push (Firebase)" wymaga poadania klucza Firebase API',
|
||||
'<strong>CronJob</strong> Status' => 'Stan <strong>CronJob</strong>',
|
||||
'<strong>Queue</strong> Status' => 'Stan <strong>Kolejki</strong>',
|
||||
'About HumHub' => 'O HumHub',
|
||||
'Assets' => 'Zasoby',
|
||||
'Background Jobs' => 'Zadania w tle',
|
||||
'Base URL' => 'Główny URL',
|
||||
'Checking HumHub software prerequisites.' => 'Sprawdzanie wstępnych wymagań oprogramowania HumHub.',
|
||||
'Configuration File' => 'Plik konfiguracyjny',
|
||||
'Current limit is: {currentLimit}' => 'Obecny limit wynosi: {currentLimit}',
|
||||
'Custom Modules ({modules})' => 'Własne moduły ({modules})',
|
||||
'Database' => 'Baza danych',
|
||||
'Database collation' => 'Sortowanie bazy danych',
|
||||
'Database driver - {driver}' => 'Sterownik bazy danych - {driver}',
|
||||
'Database migration results:' => 'Wynik migracji bazy danych:',
|
||||
'Delayed' => 'Opóźnione',
|
||||
'Deprecated Modules ({modules})' => 'Zdezaktualizowane moduły ({modules})',
|
||||
'Detected URL: {currentBaseUrl}' => 'Skasowany URL: {currentBaseUrl}',
|
||||
'Different table collations in the tables: {tables}' => 'Różne zestawienia tabel w: {tables}',
|
||||
'Disabled Functions' => 'Funkcje wyłączone',
|
||||
'Displaying {count} entries per page.' => 'Pokazano {count} wpisów na stronę.',
|
||||
'Done' => 'Zakończone',
|
||||
'Driver' => 'Sterownik',
|
||||
'Dynamic Config' => 'Ustawienia dynamiczne',
|
||||
'Error' => 'Błąd',
|
||||
'Flush entries' => 'Wyczyść wpisy',
|
||||
'HumHub' => 'HumHub',
|
||||
'HumHub Documentation' => 'Dokumentacja HumHub',
|
||||
'HumHub is currently in debug mode. Disable it when running on production!' => 'HumHub jest w trybie debugowania. Wyłącz go gdy udostępnisz stronę użytkownikom!',
|
||||
'ICU Data Version ({version})' => 'Wersja Danych ICU ({version})',
|
||||
'ICU Data {icuMinVersion} or higher is required' => 'Wersja Danych ICU {icuMinVersion} lub wyższa jest wymagana',
|
||||
'ICU Version ({version})' => 'Wersja ICU ({version})',
|
||||
'ICU {icuMinVersion} or higher is required' => 'ICU wersja {icuMinVersion} lub wyższa jest wymagana',
|
||||
'Increase memory limit in {fileName}' => 'Zwiększ limit pamięci w {fileName}',
|
||||
'Info' => 'Informacje',
|
||||
'Install {phpExtension} Extension' => 'Zainstaluj rozszerzenie {phpExtension}',
|
||||
'Install {phpExtension} Extension for APC Caching' => 'Zainstaluj rozszerzenie {phpExtension} do APC Caching\'u',
|
||||
'Install {phpExtension} Extension for e-mail S/MIME support.' => 'Zainstaluj rozszerzenie {phpExtension} do wsparcia e-mail S/MIME',
|
||||
'Last run (daily):' => 'Ostatnie uruchomienie (dzienne):',
|
||||
'Last run (hourly):' => 'Ostatnie uruchomienie (godzinowe):',
|
||||
'Licences' => 'Licencje',
|
||||
'Logging' => 'Logowanie',
|
||||
'Make sure that the `proc_open` function is not disabled.' => 'Upewnij się, że funkcja `proc_open` jest wyłączona.',
|
||||
'Make {filePath} writable for the Webserver/PHP!' => 'Ustaw {filePath} możliwą do zapisu dla serwera/PHP!',
|
||||
'Marketplace API Connection' => 'Połączenie Marketplace API',
|
||||
'Memory Limit ({memoryLimit})' => 'Limit pamięci ({memoryLimit})',
|
||||
'Minimum Version {minVersion}' => 'Minimalna Wersja {minVersion}',
|
||||
'Mobile App - Push Service' => 'Apka mobilna - usługa push',
|
||||
'Module Directory' => 'Katalog Modułów',
|
||||
'Multibyte String Functions' => 'Funkcje Ciągu znaków Multibyte',
|
||||
'Must be updated manually. Check compatibility with newer HumHub versions before updating.' => 'Musi być aktualizowana ręcznie. Przed aktualizacją należy sprawdzić zgodność z nowszymi wersjami HumHub.',
|
||||
'Never' => 'Nigdy',
|
||||
'New migrations should be applied: {migrations}' => 'Nowe migracje powinny zostać zastosowane: {migrations}',
|
||||
'No pending migrations' => 'Nie ma oczekujących migracji',
|
||||
'Optional' => 'Opcjonalne',
|
||||
'Other' => 'Inne',
|
||||
'Outstanding database migrations:' => 'Oczekujące migracje bazy danych:',
|
||||
'Permissions' => 'Uprawnienia',
|
||||
'Please refer to the documentation to setup the cronjobs and queue workers.' => 'Proszę odnieść się do dokumentacji w celu ustawienia zadań cron i kolejki działań.',
|
||||
'Prerequisites' => 'Wymagania',
|
||||
'Pretty URLs' => 'Czytelne URL',
|
||||
'Profile Image' => 'Obraz profilowy',
|
||||
'Queue successfully cleared.' => 'Kolejka wyczyszczona prawidłowo',
|
||||
'Re-Run tests' => 'Uruchom ponownie testy',
|
||||
'Rebuild search index' => 'Przebuduj indeks wyszukiwania',
|
||||
'Recommended collation is {collation}' => 'Zalecane sortowanie to {collation}',
|
||||
'Recommended collation is {collation} for the tables: {tables}' => 'Zalecane sortowanie to {collation} dla tabel: {tables}',
|
||||
'Recommended engine is {engine} for the tables: {tables}' => 'Zalecany silnik to {engine} dla tabel: {tables}',
|
||||
'Refresh' => 'Odśwież',
|
||||
'Reserved' => 'Zarezerwowane',
|
||||
'Runtime' => 'Czas uruchomienia',
|
||||
'Search index rebuild in progress.' => 'Indeks szukania przebudowany prawidłowo.',
|
||||
'Search term...' => 'Szukana fraza...',
|
||||
'See installation manual for more details.' => 'Więcej informacji znajdziesz w instrukcji instalacji.',
|
||||
'Select category..' => 'Wybierz kategorię...',
|
||||
'Select day' => 'Wybierz dzień',
|
||||
'Select level...' => 'Wybierz poziom...',
|
||||
'Settings' => 'Ustawienia',
|
||||
'Supported drivers: {drivers}' => 'Wspierane sterowniki: {drivers}',
|
||||
'Table collations' => 'Sortowanie tabel',
|
||||
'Table engines' => 'Silniki tabel',
|
||||
'The configuration file contains legacy settings. Invalid options: {options}' => 'Plik konfiguracyjny zawiera stare ustawienia. Wadliwe opcje: {options}',
|
||||
'The current main HumHub database name is ' => 'Obecna nazwa głównej bazy danych HumHub to:',
|
||||
'The module(s) are no longer maintained and should be uninstalled.' => 'Moduł(y) nie są już obsługiwane i powinny zostać odinstalowane.',
|
||||
'There is a new update available! (Latest version: %version%)' => 'Dostępna jest aktualizacja! (Najnowsza wersja: %version%)',
|
||||
'This HumHub installation is up to date!' => 'Ta instalacja HumHuba jest aktualna!',
|
||||
'Total {count} entries found.' => 'W sumie znaleziono {count} wpisów.',
|
||||
'Trace' => 'Ślad',
|
||||
'Update Database' => 'Zaktualizuj bazę danych',
|
||||
'Uploads' => 'Wgrane pliki',
|
||||
'Varying table engines are not supported.' => 'Różne sortowanie silników tabel nie jest obsługiwane',
|
||||
'Version' => 'Wersja',
|
||||
'Waiting' => 'Oczekiwanie',
|
||||
'Warning' => 'Ostrzeżenie',
|
||||
'Web Application PHP version: `{webPhpVersion}`, Cron PHP Version: `{cronPhpVersion}`' => 'Wersja PHP aplikacji internetowej: `{webPhpVersion}`, wersja PHP Cron: `{cronPhpVersion}`.',
|
||||
'Web Application and Cron uses the same PHP version' => 'Aplikacja internetowa i cron używają tego samego wydania PHP',
|
||||
'Web Application and Cron uses the same user' => 'Aplikacja internetowa i cron używają tego samego użytkownika',
|
||||
'Web Application user: `{webUser}`, Cron user: `{cronUser}`' => 'Użytkownik aplikacji internetowej: `{webUser}`, użytkownik cron: `{cronUser}`',
|
||||
'Your database is <b>up-to-date</b>.' => 'Baza danych jest <b>zaktualizowana</b>.',
|
||||
'{imageExtension} Support' => 'Wsparcie dla {imageExtension}',
|
||||
'{phpExtension} Extension' => 'Rozszerzenie {phpExtension}',
|
||||
'{phpExtension} Support' => 'Wsparcie dla {phpExtension}',
|
||||
];
|
||||
|
@ -1,26 +1,25 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'%moduleName% - Set as default module' => '%moduleName% - Ustaw jako moduł domyślny',
|
||||
'Always activated' => 'Zawsze aktywny',
|
||||
'Are you sure? *ALL* module data will be lost!' => 'Czy jesteś pewny? *WSZYSTKIE* dane modułu zostaną utracone!',
|
||||
'Are you sure? *ALL* module related data and files will be lost!' => 'Czy jesteś pewny? *WSZYSTKIE* dane i pliki związane z modułem zostaną utracone!',
|
||||
'Close' => 'Zamknij',
|
||||
'Could not find requested module!' => 'Nie można znaleźć żądanego modułu.',
|
||||
'Deactivated' => 'Wyłączony',
|
||||
'Deactivation of this module has not been completed yet. Please retry in a few minutes.' => 'Dezaktywacja tego modułu nie została jeszcze zakończona. Spróbuj ponownie za kilka minut.',
|
||||
'Enable module...' => 'Włącz moduł...',
|
||||
'Enabled' => 'Aktywowane',
|
||||
'Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose "always activated".' => 'Tutaj możesz wybrać czy moduł powinien być automatycznie aktywowany w strefie lub profilu użytkownika. Jeżeli moduł powinien być aktywny, wybierz "zawsze aktywny".',
|
||||
'Module path %path% is not writeable!' => 'Ścieżka %path% modułu jest niezapisywalna.',
|
||||
'Not available' => 'Niedostępne',
|
||||
'Save' => 'Zapisz',
|
||||
'Spaces' => 'Strefy',
|
||||
'Users' => 'Użytkownicy',
|
||||
'Module deactivation in progress. This process may take a moment.' => '',
|
||||
'Module uninstall in progress. This process may take a moment.' => '',
|
||||
'Space default state' => '',
|
||||
'The module is currently being used by {nbContainers} users or spaces. If you change its availability, all content created with the module will be lost. Proceed?' => '',
|
||||
'Uninstallation of this module has not been completed yet. It will be removed in a few minutes.' => '',
|
||||
'User default state' => '',
|
||||
'%moduleName% - Set as default module' => '%moduleName% - Ustaw jako moduł domyślny',
|
||||
'Always activated' => 'Zawsze aktywny',
|
||||
'Are you sure? *ALL* module data will be lost!' => 'Czy jesteś pewny? *WSZYSTKIE* dane modułu zostaną utracone!',
|
||||
'Are you sure? *ALL* module related data and files will be lost!' => 'Czy jesteś pewny? *WSZYSTKIE* dane i pliki związane z modułem zostaną utracone!',
|
||||
'Close' => 'Zamknij',
|
||||
'Could not find requested module!' => 'Nie można znaleźć żądanego modułu.',
|
||||
'Deactivated' => 'Wyłączony',
|
||||
'Deactivation of this module has not been completed yet. Please retry in a few minutes.' => 'Dezaktywacja tego modułu nie została jeszcze zakończona. Spróbuj ponownie za kilka minut.',
|
||||
'Enable module...' => 'Włącz moduł...',
|
||||
'Enabled' => 'Aktywowane',
|
||||
'Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose "always activated".' => 'Tutaj możesz wybrać czy moduł powinien być automatycznie aktywowany w strefie lub profilu użytkownika. Jeżeli moduł powinien być aktywny, wybierz "zawsze aktywny".',
|
||||
'Module deactivation in progress. This process may take a moment.' => 'Deaktywacja modułu w toku. Może to zająć chwilę.',
|
||||
'Module path %path% is not writeable!' => 'Ścieżka %path% modułu jest niezapisywalna.',
|
||||
'Module uninstall in progress. This process may take a moment.' => 'Odinstalowywanie modułu w toku. Może to zająć chwilę.',
|
||||
'Not available' => 'Niedostępne',
|
||||
'Save' => 'Zapisz',
|
||||
'Space default state' => 'Domyślny stan strefy',
|
||||
'Spaces' => 'Strefy',
|
||||
'The module is currently being used by {nbContainers} users or spaces. If you change its availability, all content created with the module will be lost. Proceed?' => 'Moduł jest obecnie używany przez użytkowników lub przestrzenie {nbContainers}. Jeśli zmienisz jego dostępność, cała zawartość utworzona za pomocą modułu zostanie utracona. Kontynuować?',
|
||||
'Uninstallation of this module has not been completed yet. It will be removed in a few minutes.' => 'Dezinstalacja tego modułu nie została jeszcze zakończona. Zostanie on usunięty w ciągu kilku minut.',
|
||||
'User default state' => 'Użyj stanu domyślnego',
|
||||
'Users' => 'Użytkownicy',
|
||||
];
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Dostęp do informacji administracyjnych',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Ma dostęp do sekcji \'Administracja -> Informacje\'',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Może zarządzać modułami w sekcji \'Administracja -> Moduły\'.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Może zarządzać strefami w sekcji \'Administracja -> Strefy\' (tworzenie/edycja/usuwanie).',
|
||||
'Can manage general settings.' => 'Może zarządzać użytkownikiem-strefą i głównymi ustawieniami.',
|
||||
'Can manage users and groups' => 'Może zarządzać użytkownikami i grupami',
|
||||
'Can manage users and user profiles.' => 'Może zarządzać użytkownikami i profilami',
|
||||
'Manage Groups' => 'Zarządzaj Grupami',
|
||||
'Manage Modules' => 'Zarządzaj Modułami',
|
||||
'Manage Settings' => 'Zarządzaj Ustawieniami',
|
||||
'Manage Spaces' => 'Zarządzaj Strefami',
|
||||
'Manage Users' => 'Zarządzaj Użytkownikami',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Dostęp do informacji administracyjnych',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Ma dostęp do sekcji \'Administracja -> Informacje\'',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Może zarządzać strefami w sekcji \'Administracja -> Strefy\' (tworzenie/edycja/usuwanie).',
|
||||
'Can manage general settings.' => 'Może zarządzać użytkownikiem-strefą i głównymi ustawieniami.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Może zarządzać modułami w sekcji \'Administracja -> Moduły\'.',
|
||||
'Can manage users and groups' => 'Może zarządzać użytkownikami i grupami',
|
||||
'Can manage users and user profiles.' => 'Może zarządzać użytkownikami i profilami',
|
||||
'Manage Groups' => 'Zarządzaj Grupami',
|
||||
'Manage Modules' => 'Zarządzaj Modułami',
|
||||
'Manage Settings' => 'Zarządzaj Ustawieniami',
|
||||
'Manage Spaces' => 'Zarządzaj Strefami',
|
||||
'Manage Users' => 'Zarządzaj Użytkownikami',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,6 +1,6 @@
|
||||
<?php
|
||||
return [
|
||||
'"My Spaces" Sorting' => '',
|
||||
'"My Spaces" Sorting' => 'Ustawienia "Moje strefy"',
|
||||
'1 month' => '1 miesiąc',
|
||||
'1 week' => '1 tydzień',
|
||||
'1 year' => '1 rok',
|
||||
@ -11,12 +11,12 @@ return [
|
||||
'<strong>Confirm</strong> image deletion' => '<strong>Potwierdź</strong> usunięcie obrazu',
|
||||
'<strong>Confirm</strong> topic deletion' => '<strong>Potwierdź</strong> usunięcie tematu',
|
||||
'APC(u)' => 'APC(u)',
|
||||
'Access Token' => '',
|
||||
'Access token is not provided yet.' => '',
|
||||
'Access Token' => 'Token dostępu',
|
||||
'Access token is not provided yet.' => 'Póki co nie ma wprowadzonego tokena dostępu.',
|
||||
'Add OEmbed provider' => 'Dodaj dostawcę OEmbed',
|
||||
'Add Topic' => 'Dodaj Temat',
|
||||
'Add custom info text for maintenance mode. Displayed on the login page.' => 'Dodaj własną treść dla trybu serwisowego. Zostanie wyświetlona na stronie logowania.',
|
||||
'Add individual info text...' => '',
|
||||
'Add individual info text...' => 'Dodaj indywidualny tekst z info...',
|
||||
'Add new provider' => 'Dodaj nowego dostawcę',
|
||||
'Advanced Settings' => 'Ustawienia Zaawansowane',
|
||||
'Allow Self-Signed Certificates?' => 'Zezwalać na samo-podpisane certyfikaty?',
|
||||
@ -27,16 +27,16 @@ return [
|
||||
'Base URL' => 'Główny URL',
|
||||
'Cache Backend' => 'Zaplecze cache',
|
||||
'Comma separated list. Leave empty to allow all.' => 'Lista elementów oddzielonych przecinkiem (csv). Pozostaw pustą aby dopuścić wszystkie.',
|
||||
'Configuration (Use settings from configuration file)' => '',
|
||||
'Convert to global topic' => '',
|
||||
'Configuration (Use settings from configuration file)' => 'Konfiguracja (użyj ustawień z pliku konfiguracji)',
|
||||
'Convert to global topic' => 'Przemianuj na wątek globalny',
|
||||
'Could not send test email.' => 'Nie można wysłać wiadomości testowej.',
|
||||
'Currently no provider active!' => 'Obecnie nie ma aktywnych dostawców!',
|
||||
'Currently there are {count} records in the database dating from {dating}.' => 'Obecnie istnieje {count} wpisów w bazie od {dating}.',
|
||||
'Custom DSN' => '',
|
||||
'Custom sort order (alphabetical if not defined)' => '',
|
||||
'Custom sort order can be defined in the Space advanced settings.' => '',
|
||||
'DSN' => '',
|
||||
'DSN Examples:' => '',
|
||||
'Custom DSN' => 'Własny DSN',
|
||||
'Custom sort order (alphabetical if not defined)' => 'Niestandardowe sortowanie (alfabetycznie jak brak nastawu)',
|
||||
'Custom sort order can be defined in the Space advanced settings.' => 'Niestandardową kolejność sortowania można zdefiniować w ustawieniach zaawansowanych strefy.',
|
||||
'DSN' => 'DSN',
|
||||
'DSN Examples:' => 'Przykłady DSN:',
|
||||
'Dashboard' => 'Kokpit',
|
||||
'Date input format' => 'Format daty',
|
||||
'Default Expire Time (in seconds)' => 'Domyślny czas wygasania (w sekundach)',
|
||||
@ -52,7 +52,7 @@ return [
|
||||
'E-Mail sender name' => 'Nazwa wysyłającego E-mail',
|
||||
'E.g. http://example.com/humhub' => 'Np. http://przyklad.pl/humhub',
|
||||
'Edit OEmbed provider' => 'Edytuj dostawcę OEmbed',
|
||||
'Embedded content requires the user\'s consent to be loaded' => '',
|
||||
'Embedded content requires the user\'s consent to be loaded' => 'Podgląd zawartości wymaga zgody użytkownika na załadowanie.',
|
||||
'Enable maintenance mode' => 'Włącz tryb serwisowy',
|
||||
'Enable user friendship system' => 'Włącz system znajomości użytkowników',
|
||||
'Enabled' => 'Włączony',
|
||||
@ -65,38 +65,38 @@ return [
|
||||
'Friendship' => 'Przyjaźń',
|
||||
'General' => 'Ogólne',
|
||||
'General Settings' => 'Główne Ustawienia',
|
||||
'Global topics can be used by all users in all Spaces. They make it easier for you to define consistent keywords throughout your entire network. If users have already created topics in Spaces, you can also convert them to global topics here.' => '',
|
||||
'Global topics can be used by all users in all Spaces. They make it easier for you to define consistent keywords throughout your entire network. If users have already created topics in Spaces, you can also convert them to global topics here.' => 'Tematy globalne mogą być używane przez wszystkich użytkowników we wszystkich strefach. Ułatwiają one definiowanie spójnych słów kluczowych w całej sieci. Jeśli użytkownicy utworzyli już tematy w strefie, można je również przekonwertować na tematy globalne tutaj.',
|
||||
'HTML tracking code' => 'Kod śledzący HTML',
|
||||
'Here you can configurate the registration behaviour and additinal user settings of your social network.' => 'Tutaj możesz zmienić zachowanie w trakcie rejestracji oraz dodatkowe ustawienia użytkowników Twojej sieci społecznościowej.',
|
||||
'Here you can configure basic settings of your social network.' => 'Tutaj możesz zmienić podstawowe ustawienia Twojej sieci społecznościowej.',
|
||||
'Horizontal scrolling images on a mobile device' => 'Poziome przewijanie obrazów na urządzeniach mobilnych',
|
||||
'Icon upload' => 'Wgraj ikonę',
|
||||
'Inserted script tags must contain a nonce. e.g. {code}' => '',
|
||||
'Inserted script tags must contain a nonce. e.g. {code}' => 'Wstawione znaczniki skryptu muszą zawierać określnik. np. {code}',
|
||||
'Last visit' => 'Ostatnia wizyta',
|
||||
'Logo upload' => 'Załaduj logo',
|
||||
'Mail Transport Type' => 'Typ przesyłania maili',
|
||||
'Maintenance mode' => 'Tryb serwisowy',
|
||||
'Maintenance mode restricts access to the platform and immediately logs out all users except Admins.' => '',
|
||||
'Maintenance mode restricts access to the platform and immediately logs out all users except Admins.' => 'Tryb konserwacji ogranicza dostęp do platformy i natychmiast wylogowuje wszystkich użytkowników z wyjątkiem administratorów.',
|
||||
'Maximum allowed age for logs.' => 'Maksymalny czas ważności logów.',
|
||||
'Maximum upload file size (in MB)' => 'Maksymalny rozmiar wgrywanego pliku (w MB)',
|
||||
'Mobile appearance' => 'Wygląd mobilny',
|
||||
'Name of the application' => 'Nazwa aplikacji',
|
||||
'No Delivery (Debug Mode, Save as file)' => '',
|
||||
'No Delivery (Debug Mode, Save as file)' => 'Brak dostawy (tryb debugowania, zapisz jako plik)',
|
||||
'No Proxy Hosts' => 'Brak Hostów Proxy',
|
||||
'No caching' => 'Brak buforowania',
|
||||
'Notification Settings' => 'Ustawienia Powiadomień',
|
||||
'Old logs can significantly increase the size of your database while providing little information.' => 'Stare wpisy mogą znacząco zwiększać rozmiar Twojej bazy danych zapewniając niewiele informacji.',
|
||||
'Optional. Default reply address for system emails like notifications.' => 'Opcjonalne. Adres do domyślnej odpowiedzi dla systemowych e-maili jak np. powiadomienia.',
|
||||
'PHP (Use settings of php.ini file)' => '',
|
||||
'PHP (Use settings of php.ini file)' => 'PHP (użyj ustawień z pliku php.ini)',
|
||||
'PHP APC(u) Extension missing - Type not available!' => 'Brak rozszerzenia PHP APC(u)- Typ niedostępny!',
|
||||
'PHP reported a maximum of {maxUploadSize} MB' => 'PHP zgłasza maksimum {maxUploadSize} MB',
|
||||
'Password' => 'Hasło',
|
||||
'Port' => 'Port',
|
||||
'Port number' => 'Numer portu',
|
||||
'Prevent client caching of following scripts' => 'Zabroń klientowi zapisywanie w pamięci podręcznej skryptów',
|
||||
'Provider Name' => '',
|
||||
'Provider Name' => 'Nazwa dostawcy',
|
||||
'Redis' => 'Redis',
|
||||
'Regular expression by which the link match will be checked.' => '',
|
||||
'Regular expression by which the link match will be checked.' => 'Wyrażenie regularne, według którego będzie sprawdzane dopasowanie łącza.',
|
||||
'Save' => 'Zapisz',
|
||||
'Save & Flush Caches' => 'Zapisz i opróżnij cache',
|
||||
'Save & Test' => 'Zapisz i testuj',
|
||||
@ -114,18 +114,18 @@ return [
|
||||
'These settings refer to the appearance of your social network.' => 'Te ustawienia odnoszą się do wyglądu Twojej sieci społecznościowej.',
|
||||
'Topic has been deleted!' => 'Temat został usunięty!',
|
||||
'Topics' => 'Tematy',
|
||||
'Url Pattern' => '',
|
||||
'Url Pattern' => 'Wzór URL',
|
||||
'Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)' => 'Użyj zastępczego %url% dla URL. Formatem musi być JSON. (np. http://www.youtube.com/oembed?url=%url%&format=json)',
|
||||
'Use SMTPS' => '',
|
||||
'Use SMTPS' => 'Użyj SMPTS',
|
||||
'Use X-Sendfile for File Downloads' => 'Użyj X-Sendfile przy pobieraniu plików',
|
||||
'User' => 'Użytkownik',
|
||||
'User Display Name' => '',
|
||||
'User Display Name Subtitle' => '',
|
||||
'User Display Name' => 'Nazwa wyświetlania użytkownika',
|
||||
'User Display Name Subtitle' => 'Podtytuł nazwy wyświetlania użytkownika',
|
||||
'User Settings' => 'Ustawienia Użytkownika',
|
||||
'Username' => 'Nazwa użytkownika',
|
||||
'Username (e.g. john)' => 'Nazwa użytkownika (np. jan)',
|
||||
'You can add a statistic code snippet (HTML) - which will be added to all rendered pages.' => 'Możesz dodać fragment kodu HTML\'a zbierający statystyki - który zostanie dodany do każdej wyświetlanej strony.',
|
||||
'You can find more configuration options here:' => '',
|
||||
'You can find more configuration options here:' => 'Możesz znaleźć opcje konfiguracyjne tutaj:',
|
||||
'You\'re using no icon at the moment. Upload your logo now.' => 'Obecnie nie używasz żadnej ikony. Wgraj teraz swoje logo.',
|
||||
'You\'re using no logo at the moment. Upload your logo now.' => 'Nie używasz logo. Prześlij teraz własne logo.',
|
||||
'e.g. 25 (for SMTP) or 465 (for SMTPS)' => 'np. 25 (dla SMTP) lub 465 (dla SMTPS)',
|
||||
|
@ -1,38 +1,37 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'<strong>Manage</strong> Spaces' => '<strong>Zarządzaj</strong> strefami',
|
||||
'Add new space' => 'Dodaj nową strefę',
|
||||
'By using user roles, you can create different permission groups within a Space. These can also be individualized by authorized users for each and every Space and are only relevant for that specific Space.' => 'Używając ról użytkowników, możesz tworzyć różne grupy uprawnień w strefie. Które również mogą być dopasowane przez autoryzowanych użytkowników w każdej strefie i mają wpływ tylko na wybraną strefę.',
|
||||
'Change owner' => 'Zmień właściciela',
|
||||
'Default Content Visiblity' => 'Domyślna widoczność treści',
|
||||
'Default Join Policy' => 'Domyślna polityka dołączania',
|
||||
'Default Space Permissions' => 'Domyślne Uprawnienia Strefy',
|
||||
'Default Space(s)' => 'Domyślne Strefy',
|
||||
'Default Visibility' => 'Domyślna widoczność',
|
||||
'Default space' => 'Domyślna strefa',
|
||||
'Here you can define your default settings for new spaces. These settings can be overwritten for each individual space.' => 'Tutaj możesz ustalić Twoje domyślne ustawienia dla nowych stref. Te ustawienia mogą być nadpisane przez każdą strefę.',
|
||||
'Invalid space' => 'Nieprawidłowa strefa',
|
||||
'Manage members' => 'Zarządzaj członkami',
|
||||
'Manage modules' => 'Zarządzaj modułami',
|
||||
'Open space' => 'Otwarta strefa',
|
||||
'Overview' => 'Przegląd',
|
||||
'Permissions' => 'Uprawnienia',
|
||||
'Search by name, description, id or owner.' => 'Szukaj po nazwie, opisie, id lub właścicielu.',
|
||||
'Settings' => 'Ustawienia',
|
||||
'Space Settings' => 'Ustawienia Strefy',
|
||||
'These options allow you to set the default permissions for all Spaces. Authorized users are able individualize these for each Space. Further entries are added with the installation of new modules.' => 'Te opcje pozwolą Ci ustawić domyślne uprawnienia dla wszystkich stref. Autoryzowani użytkownicy będą mieć możliwość dostosowywać te ustawienia w każdej strefie. Więcej wpisów zostanie dodanych po instalacji nowych modułów.',
|
||||
'This overview contains a list of each space with actions to view, edit and delete spaces.' => 'Ten przegląd zawiera listę wszystkich stref z możliwością ich podglądu, edycji i usunięcia.',
|
||||
'Update Space memberships also for existing members.' => 'Zaktualizuj członkowstwo w strefie dla istniejących członków.',
|
||||
'All existing Space Topics will be converted to Global Topics.' => '',
|
||||
'Allow individual topics in Spaces' => '',
|
||||
'Convert' => '',
|
||||
'Convert Space Topics' => '',
|
||||
'Default "Hide About Page"' => '',
|
||||
'Default "Hide Activity Sidebar Widget"' => '',
|
||||
'Default "Hide Followers"' => '',
|
||||
'Default "Hide Members"' => '',
|
||||
'Default Homepage' => '',
|
||||
'Default Homepage (Non-members)' => '',
|
||||
'Default Stream Sort' => '',
|
||||
'<strong>Manage</strong> Spaces' => '<strong>Zarządzaj</strong> strefami',
|
||||
'Add new space' => 'Dodaj nową strefę',
|
||||
'All existing Space Topics will be converted to Global Topics.' => 'Wszystkie lokalne wątki zostaną zamienione na globalne.',
|
||||
'Allow individual topics in Spaces' => 'Zezwól na pojedyncze wątki w przestrzeni',
|
||||
'By using user roles, you can create different permission groups within a Space. These can also be individualized by authorized users for each and every Space and are only relevant for that specific Space.' => 'Używając ról użytkowników, możesz tworzyć różne grupy uprawnień w strefie. Które również mogą być dopasowane przez autoryzowanych użytkowników w każdej strefie i mają wpływ tylko na wybraną strefę.',
|
||||
'Change owner' => 'Zmień właściciela',
|
||||
'Convert' => 'Skonwertuj',
|
||||
'Convert Space Topics' => 'Przemianuj wątki przestrzeni',
|
||||
'Default "Hide About Page"' => 'Domyślnie ukryj "Stronę o mnie"',
|
||||
'Default "Hide Activity Sidebar Widget"' => 'Domyślnie "Ukryj aktywność widżetu w panelu bocznym"',
|
||||
'Default "Hide Followers"' => 'Domyślnie "Ukryj śledzących"',
|
||||
'Default "Hide Members"' => 'Domyślnie "Ukryj członków"',
|
||||
'Default Content Visiblity' => 'Domyślna widoczność treści',
|
||||
'Default Homepage' => 'Domyślna strona główna',
|
||||
'Default Homepage (Non-members)' => 'Domyślna strona główna (dla gości)',
|
||||
'Default Join Policy' => 'Domyślna polityka dołączania',
|
||||
'Default Space Permissions' => 'Domyślne Uprawnienia Strefy',
|
||||
'Default Space(s)' => 'Domyślne Strefy',
|
||||
'Default Stream Sort' => 'Domyślne sortowanie strumienia',
|
||||
'Default Visibility' => 'Domyślna widoczność',
|
||||
'Default space' => 'Domyślna strefa',
|
||||
'Here you can define your default settings for new spaces. These settings can be overwritten for each individual space.' => 'Tutaj możesz ustalić Twoje domyślne ustawienia dla nowych stref. Te ustawienia mogą być nadpisane przez każdą strefę.',
|
||||
'Invalid space' => 'Nieprawidłowa strefa',
|
||||
'Manage members' => 'Zarządzaj członkami',
|
||||
'Manage modules' => 'Zarządzaj modułami',
|
||||
'Open space' => 'Otwarta strefa',
|
||||
'Overview' => 'Przegląd',
|
||||
'Permissions' => 'Uprawnienia',
|
||||
'Search by name, description, id or owner.' => 'Szukaj po nazwie, opisie, id lub właścicielu.',
|
||||
'Settings' => 'Ustawienia',
|
||||
'Space Settings' => 'Ustawienia Strefy',
|
||||
'These options allow you to set the default permissions for all Spaces. Authorized users are able individualize these for each Space. Further entries are added with the installation of new modules.' => 'Te opcje pozwolą Ci ustawić domyślne uprawnienia dla wszystkich stref. Autoryzowani użytkownicy będą mieć możliwość dostosowywać te ustawienia w każdej strefie. Więcej wpisów zostanie dodanych po instalacji nowych modułów.',
|
||||
'This overview contains a list of each space with actions to view, edit and delete spaces.' => 'Ten przegląd zawiera listę wszystkich stref z możliwością ich podglądu, edycji i usunięcia.',
|
||||
'Update Space memberships also for existing members.' => 'Zaktualizuj członkowstwo w strefie dla istniejących członków.',
|
||||
];
|
||||
|
@ -1,87 +1,111 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'<strong>Information</strong>' => '<strong>Informacje</strong>',
|
||||
'<strong>Profile</strong> Permissions' => 'Uprawnienia <strong>Profilu</strong>',
|
||||
'<strong>Settings</strong> and Configuration' => '<strong>Ustawienia </strong> i Konfiguracja',
|
||||
'<strong>User</strong> administration' => 'Zarządzanie <strong>Użytkownikiem</strong>',
|
||||
'<strong>Warning:</strong> All individual profile permission settings are reset to the default values!' => '<strong>Ostrzeżenie:</strong> Wszystkie indywidualne profilowe ustawienia pozwoleń zostaną przywrócone do domyślnych wartości!',
|
||||
'Accept user: <strong>{displayName}</strong> ' => 'Akceptuj użytkownika: <strong>{displayName}</strong>',
|
||||
'Account' => 'Konto',
|
||||
'Account Request for \'{displayName}\' has been approved.' => 'Konto dla \'{displayName}\' zostało zaakceptowane.',
|
||||
'Account Request for \'{displayName}\' has been declined.' => 'Konto dla \'{displayName}\' nie zostało zaakceptowane.',
|
||||
'Actions' => 'Akcje',
|
||||
'Active users' => 'Aktywni użytkownicy',
|
||||
'Add Groups...' => 'Dodaj Grupy...',
|
||||
'Add new category' => 'Dodaj nową kategorię',
|
||||
'Add new field' => 'Dodaj nowe pole',
|
||||
'Add new group' => 'Dodaj nową grupę',
|
||||
'Add new members...' => 'Dodaj nowych członków...',
|
||||
'Add new user' => 'Dodaj nowego użytkownika',
|
||||
'Administrator group could not be deleted!' => 'Administrator grupy nie może zostać usunięty!',
|
||||
'All open registration invitations were successfully deleted.' => 'Wszystkie otwarte zaproszenia do rejestracji zostały poprawnie usunięte.',
|
||||
'All the personal data of this user will be irrevocably deleted.' => 'Wszystkie prywatne dane tego użytkownika zostaną nieodwracalnie usunięte.',
|
||||
'Allow' => 'Zezwól',
|
||||
'Allow users to block each other' => 'Zezwól użytkownikom na blokowanie się wzajemnie',
|
||||
'Allow users to set individual permissions for their own profile?' => 'Czy zezwolić użytkownikom na ustawianie indywidualnych pozwoleń w profilu?',
|
||||
'Allow visitors limited access to content without an account (Adds visibility: "Guest")' => 'Zezwól na ograniczony dostęp dla niezalogowanych użytkowników (gości)',
|
||||
'Applied to new or existing users without any other group membership.' => 'Ma zastosowanie dla nowych lub istniejących użytkowników bez żadnej grupy lub członkowstwa.',
|
||||
'Apply' => 'Zastosuj',
|
||||
'Approve' => 'Zatwierdź',
|
||||
'Approve all selected' => 'Zaakceptuj wszystkie zaznaczone',
|
||||
'Are you really sure that you want to disable this user?' => 'Na pewno chcesz wyłączyć tego użytkownika?',
|
||||
'Are you really sure that you want to enable this user?' => 'Na pewno chcesz włączyć tego użytkownika?',
|
||||
'Are you really sure that you want to impersonate this user?' => 'Na pewno chcesz użyć tożsamości tego użytkownika?',
|
||||
'Are you really sure? The selected users will be approved and notified by e-mail.' => 'Jesteś pewien? Wybrani użytkownicy zostaną zatwierdzeni i otrzymają powiadomienie e-mail.',
|
||||
'Are you really sure? The selected users will be deleted and notified by e-mail.' => 'Jesteś pewien? Wybrani użytkownicy zostaną usunięci i otrzymają powiadomienie e-mail.',
|
||||
'Are you really sure? Users who are not assigned to another group are automatically assigned to the default group.' => 'Czy jesteś pewien? Użytkownicy którzy nie są przypisani do innej grupy zostaną automatycznie przypisani do domyślnej grupy.',
|
||||
'Are you sure that you want to delete following user?' => 'Na pewno chcesz usunąć danego użytkownika?',
|
||||
'Cancel' => 'Anuluj',
|
||||
'Click here to review' => 'Kliknij tutaj aby przejrzeć',
|
||||
'Confirm user deletion' => 'Potwierdź usunięcie użytkownika',
|
||||
'Could not load category.' => 'Nie można wczytać kategorii.',
|
||||
'Create new group' => 'Utwórz nową grupę',
|
||||
'Create new profile category' => 'Utwórz profil nowej kategorii',
|
||||
'Create new profile field' => 'Utwórz profil nowego pola',
|
||||
'Deactivate individual profile permissions?' => 'Dezaktywować indywidualne pozwolenia profilowe?',
|
||||
'Decline' => 'Odrzuć',
|
||||
'Decline & delete user: <strong>{displayName}</strong>' => 'Odrzuć i usuń użytkownika: <strong>{displayName}</strong>',
|
||||
'Decline all selected' => 'Odmów wszystkim zaznaczonym',
|
||||
'Default' => 'Domyślna',
|
||||
'Default Profile Permissions' => 'Domyślne Pozwolenia Profilowe',
|
||||
'Default Sorting' => 'Domyślne Sortowanie',
|
||||
'Default content of the registration approval email' => 'Domyślna zawartość wiadomości akceptacyjnej po rejestracji',
|
||||
'Default content of the registration denial email' => 'Domyślna zawartość wiadomości odrzucającej po rejestracji',
|
||||
'Default group can not be deleted!' => 'Domyślna grupa nie może zostać usunięta!',
|
||||
'Default user idle timeout, auto-logout (in seconds, optional)' => 'Domyślny czas bezczynności użytkownika, po którym zostanie wylogowany ( w sekundach, opcjonalnie)',
|
||||
'Default user profile visibility' => 'Domyślna widoczność profilu użytkownika',
|
||||
'Delete' => 'Usuń',
|
||||
'Delete All' => 'Usuń Wszystkie',
|
||||
'Delete all contributions of this user' => 'Usuń wszystkie działania użytkownika',
|
||||
'Delete invitation' => 'Usuń zaproszenie',
|
||||
'Delete invitation?' => 'Usunąć zaproszenie?',
|
||||
'Delete spaces which are owned by this user' => 'Usuń strefy w posiadaniu tego użytkownika',
|
||||
'Deleted' => 'Usunięte',
|
||||
'Deleted invitation' => 'Usunięto zaproszenie',
|
||||
'Deleted users' => 'Usuń użytkowników',
|
||||
'Disable' => 'Wyłącz',
|
||||
'Disabled' => 'Wyłączony',
|
||||
'Disabled users' => 'Nieaktywni użytkownicy',
|
||||
'Do not change placeholders like {displayName} if you want them to be automatically filled by the system. To reset the email content fields with the system default, leave them empty.' => 'Nie zmieniaj przykładowych wpisów jak {displayName} jeżeli chcesz żeby zostały wypełnione automatycznie przez system. Aby wyzerować zawartość pól email na domyślne, pozostaw je puste.',
|
||||
'Edit' => 'Edytuj',
|
||||
'Edit category' => 'Edytuj kategorie',
|
||||
'Edit profile category' => 'Edytuj profil kategorii',
|
||||
'Edit profile field' => 'Edytuj profil pola',
|
||||
'Edit user: {name}' => 'Edytuj użytkownika: {name}',
|
||||
'Enable' => 'Włącz',
|
||||
'Enable individual profile permissions' => 'Włącz indywidualne pozwolenia profilowe',
|
||||
'Enabled' => 'Włączony',
|
||||
'First name' => 'Imię',
|
||||
'Group Manager' => 'Zarządca Grupy',
|
||||
'Group not found!' => 'Nie znaleziono grupy!',
|
||||
'Group user not found!' => 'Użytkownik grupy nie znaleziony!',
|
||||
'Groups' => 'Grupy',
|
||||
'Hello {displayName},
|
||||
'<strong>Information</strong>' => '<strong>Informacje</strong>',
|
||||
'<strong>Profile</strong> Permissions' => 'Uprawnienia <strong>Profilu</strong>',
|
||||
'<strong>Settings</strong> and Configuration' => '<strong>Ustawienia </strong> i Konfiguracja',
|
||||
'<strong>User</strong> administration' => 'Zarządzanie <strong>Użytkownikiem</strong>',
|
||||
'<strong>Warning:</strong> All individual profile permission settings are reset to the default values!' => '<strong>Ostrzeżenie:</strong> Wszystkie indywidualne profilowe ustawienia pozwoleń zostaną przywrócone do domyślnych wartości!',
|
||||
'About the account request for \'{displayName}\'.' => 'Informacje o żądaniu konta dla \'{displayName}\'.',
|
||||
'Accept user: <strong>{displayName}</strong> ' => 'Akceptuj użytkownika: <strong>{displayName}</strong>',
|
||||
'Account' => 'Konto',
|
||||
'Account Request for \'{displayName}\' has been approved.' => 'Konto dla \'{displayName}\' zostało zaakceptowane.',
|
||||
'Account Request for \'{displayName}\' has been declined.' => 'Konto dla \'{displayName}\' nie zostało zaakceptowane.',
|
||||
'Actions' => 'Akcje',
|
||||
'Active users' => 'Aktywni użytkownicy',
|
||||
'Add Groups...' => 'Dodaj Grupy...',
|
||||
'Add new category' => 'Dodaj nową kategorię',
|
||||
'Add new field' => 'Dodaj nowe pole',
|
||||
'Add new group' => 'Dodaj nową grupę',
|
||||
'Add new members...' => 'Dodaj nowych członków...',
|
||||
'Add new user' => 'Dodaj nowego użytkownika',
|
||||
'Administrator group could not be deleted!' => 'Administrator grupy nie może zostać usunięty!',
|
||||
'All existing Profile Topics will be converted to Global Topics.' => 'Wszystkie istniejące tematy profilu zostaną przekształcone w tematy globalne.',
|
||||
'All open registration invitations were successfully deleted.' => 'Wszystkie otwarte zaproszenia do rejestracji zostały poprawnie usunięte.',
|
||||
'All open registration invitations were successfully re-sent.' => 'Wszystkie otwarte zaproszenia do rejestracji zostały pomyślnie wysłane.',
|
||||
'All the personal data of this user will be irrevocably deleted.' => 'Wszystkie prywatne dane tego użytkownika zostaną nieodwracalnie usunięte.',
|
||||
'Allow' => 'Zezwól',
|
||||
'Allow individual topics on profiles' => 'Zezwalaj na indywidualne tematy w profilach',
|
||||
'Allow users to block each other' => 'Zezwól użytkownikom na blokowanie się wzajemnie',
|
||||
'Allow users to set individual permissions for their own profile?' => 'Czy zezwolić użytkownikom na ustawianie indywidualnych pozwoleń w profilu?',
|
||||
'Allow visitors limited access to content without an account (Adds visibility: "Guest")' => 'Zezwól na ograniczony dostęp dla niezalogowanych użytkowników (gości)',
|
||||
'Applied to new or existing users without any other group membership.' => 'Ma zastosowanie dla nowych lub istniejących użytkowników bez żadnej grupy lub członkowstwa.',
|
||||
'Apply' => 'Zastosuj',
|
||||
'Approve' => 'Zatwierdź',
|
||||
'Approve all selected' => 'Zaakceptuj wszystkie zaznaczone',
|
||||
'Are you really sure that you want to disable this user?' => 'Na pewno chcesz wyłączyć tego użytkownika?',
|
||||
'Are you really sure that you want to enable this user?' => 'Na pewno chcesz włączyć tego użytkownika?',
|
||||
'Are you really sure that you want to impersonate this user?' => 'Na pewno chcesz użyć tożsamości tego użytkownika?',
|
||||
'Are you really sure? The selected users will be approved and notified by e-mail.' => 'Jesteś pewien? Wybrani użytkownicy zostaną zatwierdzeni i otrzymają powiadomienie e-mail.',
|
||||
'Are you really sure? The selected users will be deleted and notified by e-mail.' => 'Jesteś pewien? Wybrani użytkownicy zostaną usunięci i otrzymają powiadomienie e-mail.',
|
||||
'Are you really sure? The selected users will be notified by e-mail.' => 'Czy na pewno? Wybrani użytkownicy zostaną powiadomieni e-mailem.',
|
||||
'Are you really sure? Users who are not assigned to another group are automatically assigned to the default group.' => 'Czy jesteś pewien? Użytkownicy którzy nie są przypisani do innej grupy zostaną automatycznie przypisani do domyślnej grupy.',
|
||||
'Are you sure that you want to delete following user?' => 'Na pewno chcesz usunąć danego użytkownika?',
|
||||
'Cancel' => 'Anuluj',
|
||||
'Cannot resend invitation email!' => 'Nie można ponownie wysłać zaproszenia!',
|
||||
'Click here to review' => 'Kliknij tutaj aby przejrzeć',
|
||||
'Confirm user deletion' => 'Potwierdź usunięcie użytkownika',
|
||||
'Convert' => 'Przemianuj',
|
||||
'Convert Profile Topics' => 'Przemianuj wątki profilu',
|
||||
'Could not approve the user!' => 'Nie można zatwierdzić użytkownika!',
|
||||
'Could not decline the user!' => 'Nie można odrzucić użytkownika!',
|
||||
'Could not load category.' => 'Nie można wczytać kategorii.',
|
||||
'Could not send the message to the user!' => 'Nie można wysłać wiadomości do użytkownika!',
|
||||
'Create new group' => 'Utwórz nową grupę',
|
||||
'Create new profile category' => 'Utwórz profil nowej kategorii',
|
||||
'Create new profile field' => 'Utwórz profil nowego pola',
|
||||
'Deactivate individual profile permissions?' => 'Dezaktywować indywidualne pozwolenia profilowe?',
|
||||
'Decline' => 'Odrzuć',
|
||||
'Decline & delete user: <strong>{displayName}</strong>' => 'Odrzuć i usuń użytkownika: <strong>{displayName}</strong>',
|
||||
'Decline all selected' => 'Odmów wszystkim zaznaczonym',
|
||||
'Default' => 'Domyślna',
|
||||
'Default Profile Permissions' => 'Domyślne Pozwolenia Profilowe',
|
||||
'Default Sorting' => 'Domyślne Sortowanie',
|
||||
'Default content of the email when sending a message to the user' => 'Domyślna treść wiadomości e-mail podczas wysyłania wiadomości do użytkownika',
|
||||
'Default content of the registration approval email' => 'Domyślna zawartość wiadomości akceptacyjnej po rejestracji',
|
||||
'Default content of the registration denial email' => 'Domyślna zawartość wiadomości odrzucającej po rejestracji',
|
||||
'Default group can not be deleted!' => 'Domyślna grupa nie może zostać usunięta!',
|
||||
'Default user idle timeout, auto-logout (in seconds, optional)' => 'Domyślny czas bezczynności użytkownika, po którym zostanie wylogowany ( w sekundach, opcjonalnie)',
|
||||
'Default user profile visibility' => 'Domyślna widoczność profilu użytkownika',
|
||||
'Delete' => 'Usuń',
|
||||
'Delete All' => 'Usuń Wszystkie',
|
||||
'Delete all contributions of this user' => 'Usuń wszystkie działania użytkownika',
|
||||
'Delete invitation' => 'Usuń zaproszenie',
|
||||
'Delete invitation?' => 'Usunąć zaproszenie?',
|
||||
'Delete pending registrations?' => 'Skasować oczekujące rejestracje?',
|
||||
'Delete spaces which are owned by this user' => 'Usuń strefy w posiadaniu tego użytkownika',
|
||||
'Deleted' => 'Usunięte',
|
||||
'Deleted invitation' => 'Usunięto zaproszenie',
|
||||
'Deleted users' => 'Usuń użytkowników',
|
||||
'Disable' => 'Wyłącz',
|
||||
'Disabled' => 'Wyłączony',
|
||||
'Disabled users' => 'Nieaktywni użytkownicy',
|
||||
'Do not change placeholders like {displayName} if you want them to be automatically filled by the system. To reset the email content fields with the system default, leave them empty.' => 'Nie zmieniaj przykładowych wpisów jak {displayName} jeżeli chcesz żeby zostały wypełnione automatycznie przez system. Aby wyzerować zawartość pól email na domyślne, pozostaw je puste.',
|
||||
'Do you really want to delete pending registrations?' => 'Czy aby na pewno chcesz skasować oczekujące rejestracje?',
|
||||
'Do you really want to re-send the invitations to pending registration users?' => 'Czy naprawdę chcesz ponownie wysyłać zaproszenia do użytkowników oczekujących na rejestrację?',
|
||||
'Edit' => 'Edytuj',
|
||||
'Edit category' => 'Edytuj kategorie',
|
||||
'Edit profile category' => 'Edytuj profil kategorii',
|
||||
'Edit profile field' => 'Edytuj profil pola',
|
||||
'Edit user: {name}' => 'Edytuj użytkownika: {name}',
|
||||
'Email all selected' => 'Wyślij emailem zaznaczone',
|
||||
'Enable' => 'Włącz',
|
||||
'Enable individual profile permissions' => 'Włącz indywidualne pozwolenia profilowe',
|
||||
'Enabled' => 'Włączony',
|
||||
'First name' => 'Imię',
|
||||
'Group Manager' => 'Zarządca Grupy',
|
||||
'Group not found!' => 'Nie znaleziono grupy!',
|
||||
'Group user not found!' => 'Użytkownik grupy nie znaleziony!',
|
||||
'Groups' => 'Grupy',
|
||||
'Hello {displayName},
|
||||
|
||||
Your account creation is under review.
|
||||
Could you tell us the motivation behind your registration?
|
||||
|
||||
Kind Regards
|
||||
{AdminName}
|
||||
|
||||
' => 'Witaj {displayName}, Twoje konto jest w trakcie weryfikacji. Czy mógłbyś nam wyjaśnić motywy swojej rejestracji? Z poważaniem {AdminName}',
|
||||
'Hello {displayName},
|
||||
|
||||
Your account has been activated.
|
||||
|
||||
@ -93,7 +117,7 @@ Kind Regards
|
||||
|
||||
' => 'Witaj {displayName}, Twoje konto zostało aktywowane. Kliknij tutaj aby się zalogować: {loginUrl}
|
||||
Pozdrawiam, {AdminName}',
|
||||
'Hello {displayName},
|
||||
'Hello {displayName},
|
||||
|
||||
Your account request has been declined.
|
||||
|
||||
@ -102,130 +126,105 @@ Kind Regards
|
||||
|
||||
' => 'Witaj {displayName}, Twoja aplikacja o utworzenie konta zostało odrzucona.
|
||||
Pozdrawiam, {AdminName}',
|
||||
'Here you can create or edit profile categories and fields.' => 'Tutaj możesz tworzyć i edytowac profile kategorii i pól.',
|
||||
'If individual profile permissions are not allowed, the following settings are unchangeable for all users. If individual profile permissions are allowed, the settings are only set as defaults that users can customise. The following entries are then displayed in the same form in the users profile settings:' => 'Jeśli indywidualne pozwolenia profilowe są wyłączone, następujące ustawienia są niezmienne dla wszystkich użytkowników. Jeśli indywidualne ustawienia profilowe są zezwolone, te ustawienia są ustawione jako domyślne i użytkownik może je edytować. Następujące wpisy są wtedy wyświetlone w tej samej formie w ustawieniach profilu użytkownika.',
|
||||
'If this option is not selected, the ownership of the spaces will be transferred to your account.' => 'Jeżeli ta opcja nie jest wybrana, własność stref zostanie przekazana na Twoje konto.',
|
||||
'Impersonate' => 'Użyj tożsamości',
|
||||
'Information 1' => 'Informacja 1',
|
||||
'Information 2' => 'Informacja 2',
|
||||
'Information 3' => 'Informacja 3',
|
||||
'Invite new people' => 'Zaproś nowych ludzi',
|
||||
'Invite not found!' => 'Nie znaleziono zaproszenia!',
|
||||
'Last login' => 'Ostatnio zalogowany',
|
||||
'Last name' => 'Nazwisko',
|
||||
'List pending registrations' => 'Lista oczekujących rejestracji',
|
||||
'Make the group selectable at registration.' => 'Daj możliwość zaznaczenia grupy w trakcie rejestracji.',
|
||||
'Manage group: {groupName}' => 'Zarządzaj grupą: {groupName}',
|
||||
'Manage groups' => 'Zarządzaj grupami',
|
||||
'Manage profile attributes' => 'Zarządzaj atrybutami profilu',
|
||||
'Member since' => 'Członek od',
|
||||
'Members' => 'Członkowie',
|
||||
'Members can invite external users by email' => 'Członkowie mogą zapraszać zewnętrznych użytkowników za pomocą emalia',
|
||||
'Message' => 'Wiadomość',
|
||||
'New approval requests' => 'Nowe żądania zatwierdzenia',
|
||||
'New users can register' => 'Anonimowi użytkownicy mogą rejestrować się',
|
||||
'No' => 'Nie',
|
||||
'No users were selected.' => 'Nie wybrano użytkowników.',
|
||||
'No value found!' => 'Nie znaleziono wartości!',
|
||||
'None' => 'Brak',
|
||||
'Not visible' => 'Niewodoczne',
|
||||
'One or more user needs your approval as group admin.' => 'Jeden lub więcej użytkowników wymaga zatwierdzenia przez grupę administratorów.',
|
||||
'Only applicable when limited access for non-authenticated users is enabled. Only affects new users.' => 'Właściwe tylko dla ograniczonego dostępu dla niezarejestrowanych użytkowników. Dotyczy jedynie nowych użytkowników.',
|
||||
'Overview' => 'Przegląd',
|
||||
'Password' => 'Hasło',
|
||||
'Pending approvals' => 'Oczekujące do zatwierdzenia',
|
||||
'Pending user approvals' => 'Użytkownicy oczekujący na zaakceptowanie',
|
||||
'People' => 'Ludzie',
|
||||
'Permanently delete' => 'Usuń na stałe',
|
||||
'Permissions' => 'Pozwolenia',
|
||||
'Prioritised User Group' => 'Priorytetowa Grupa Użytkowników',
|
||||
'Profile Permissions' => 'Pozwolenia Profilowe',
|
||||
'Profiles' => 'Profile',
|
||||
'Protected' => 'Chroniona',
|
||||
'Protected group can not be deleted!' => 'Chroniona grupa nie może zostać usunięta!',
|
||||
'Remove from group' => 'Usuń z grupy',
|
||||
'Resend invitation email' => 'Wyślij ponownie wiadomość z zaproszeniem',
|
||||
'Save' => 'Zapisz',
|
||||
'Search by name, email or id.' => 'Szukaj po nazwie, e-mailu lub id.',
|
||||
'Select Groups' => 'Wybierz Grupy',
|
||||
'Select a prioritised group whose members are displayed before all others when the sorting option \'Default\' is selected. The users within the group and the users outside the group are additionally sorted by their last login.' => 'Wybierz priorytetową grupę której członkowie są wyświetlani przed wszystkimi innymi w przypadku wybrania opcji filtrowania "Domyślna". Użytkownicy wewnątrz grupy i na zewnątrz są dodatkowo filtrowani przez datę ostatniego logowania.',
|
||||
'Select the profile fields you want to add as columns' => 'Wybierz pola profilu które chcesz dodać jako kolumny',
|
||||
'Select which user information should be displayed in the \'People\' overview. You can select any profile fields, even those you have created individually. ' => 'Wybierz jakie informacje o użytkownika będą wyświetlone w przeglądzie "Ludzie". Możesz wybrać dowolne pole, nawet te stworzone ręcznie.',
|
||||
'Send' => 'Wyślij',
|
||||
'Send & decline' => 'Wyślij i odrzuć',
|
||||
'Send & save' => 'Wyślij i zapisz',
|
||||
'Send invitation email' => 'Wyślij wiadomość z zaproszeniem',
|
||||
'Send invitation email again?' => 'Wysłać ponownie wiadomość z zaproszeniem?',
|
||||
'Send notifications to users when added to or removed from the group.' => 'Wysyłaj powiadomienia do użytkowników w przypadku dodania lub usunięcia z grupy.',
|
||||
'Settings' => 'Ustawienia',
|
||||
'Show group selection at registration' => 'Pokaż wybór grupy podczas rejestracji.',
|
||||
'Subject' => 'Temat',
|
||||
'The Space memberships of all group members will be updated. This may take up to several minutes.' => 'Członkowstwo strefy wszystkich członków grupy zostanie zaktualizowane. Ta operacja może potrwać kilka minut.',
|
||||
'The following list contains all pending sign-ups and invites.' => 'Poniższa lista zawiera wszystkie oczekujące zapisy i zaproszenia.',
|
||||
'The following list contains all registered users awaiting an approval.' => 'Poniższa lista zawiera wszystkich zarejestrowanych użytkowników oczekujących na akceptacje.',
|
||||
'The registration was approved and the user was notified by email.' => 'Rejestracja została zatwierdzona a użytkownik powiadomiony przez e-mail.',
|
||||
'The registration was declined and the user was notified by email.' => 'Rejestracja została odrzucona a użytkownik powiadomiony przez e-mail.',
|
||||
'The registrations were approved and the users were notified by email.' => 'Rejestracje zostały zatwierdzona a użytkownicy powiadomieni przez e-mail.',
|
||||
'The registrations were declined and the users were notified by email.' => 'Rejestracje zostały odrzucone a użytkownicy powiadomieni przez e-mail.',
|
||||
'The selected invitations have been successfully deleted!' => 'Wybrane zaproszenia zostały pomyślnie usunięte!',
|
||||
'The user is the owner of these spaces:' => 'Ten użytkownik jest właścicielem tych stref:',
|
||||
'This option allows you to determine whether users may set individual permissions for their own profiles.' => 'Ta opcja pozwala ustalić czy użytkownicy mogą ustawiać indywidualne pozwolenia we własnych profilach.',
|
||||
'This overview contains a list of each registered user with actions to view, edit and delete users.' => 'Ten przegląd zawiera listę wszystkich zarejestrowanych użytkowników z możliwością przeglądania, edycji i usuwania użytkowników.',
|
||||
'This user owns no spaces.' => 'Ten użytkownik nie jest właścicielem żadnych stref.',
|
||||
'Unapproved' => 'Niezatwierdzony',
|
||||
'User deletion process queued.' => 'Usunięcie użytkownika dodane do kolejki.',
|
||||
'User is already a member of this group.' => 'Użytkownik już jest członkiem tej grupy!',
|
||||
'User not found!' => 'Użytkownik nie znaleziony!',
|
||||
'Users can be assigned to different groups (e.g. teams, departments etc.) with specific standard spaces, group managers and permissions.' => 'Użytkownicy mogą zostać przydzieleni do innych grup (np. drużyn, działów itp.) z ustalonymi standardowymi strefami, grupami i pozwoleniami.',
|
||||
'Using this option any contributions (e.g. contents, comments or likes) of this user will be irrevocably deleted.' => 'Używając tej opcji cały wkład (t.j. wpisy, komentarze lub polubienia) tego użytkownika zostanie nieodwracalnie usunięty.',
|
||||
'View profile' => 'Zobacz profil',
|
||||
'Visible for members only' => 'Widoczne tylko dla członków',
|
||||
'Visible for members+guests' => 'Widoczne dla członków i gości',
|
||||
'Will be used as a filter in \'People\'.' => 'Zostanie użyte jako filtr w zakładce "Ludzie"',
|
||||
'Yes' => 'Tak',
|
||||
'You can only delete empty categories!' => 'Możesz usunąć tylko pustą kategorię!',
|
||||
'You cannot delete yourself!' => 'Nie możesz się usunąć!',
|
||||
'never' => 'nigdy',
|
||||
'About the account request for \'{displayName}\'.' => '',
|
||||
'All existing Profile Topics will be converted to Global Topics.' => '',
|
||||
'All open registration invitations were successfully re-sent.' => '',
|
||||
'Allow individual topics on profiles' => '',
|
||||
'Are you really sure? The selected users will be notified by e-mail.' => '',
|
||||
'Cannot resend invitation email!' => '',
|
||||
'Convert' => '',
|
||||
'Convert Profile Topics' => '',
|
||||
'Could not approve the user!' => '',
|
||||
'Could not decline the user!' => '',
|
||||
'Could not send the message to the user!' => '',
|
||||
'Default content of the email when sending a message to the user' => '',
|
||||
'Delete pending registrations?' => '',
|
||||
'Do you really want to delete pending registrations?' => '',
|
||||
'Do you really want to re-send the invitations to pending registration users?' => '',
|
||||
'Email all selected' => '',
|
||||
'Hello {displayName},
|
||||
|
||||
Your account creation is under review.
|
||||
Could you tell us the motivation behind your registration?
|
||||
|
||||
Kind Regards
|
||||
{AdminName}
|
||||
|
||||
' => '',
|
||||
'Hide online status of users' => '',
|
||||
'If enabled, the Group Manager will need to approve registration.' => '',
|
||||
'Invisible' => '',
|
||||
'Members can invite external users by link' => '',
|
||||
'Post-registration approval required' => '',
|
||||
'Re-send to all' => '',
|
||||
'Resend invitation?' => '',
|
||||
'Resend invitations?' => '',
|
||||
'Send a message' => '',
|
||||
'Send a message to <strong>{displayName}</strong> ' => '',
|
||||
'The default user idle timeout is used when user session is idle for a certain time. The user is automatically logged out after this time.' => '',
|
||||
'The message has been sent by email.' => '',
|
||||
'The selected invitations have been successfully re-sent!' => '',
|
||||
'The user cannot be removed from this Group!' => '',
|
||||
'The user cannot be removed from this Group, as users are required to be assigned to at least one Group.' => '',
|
||||
'The users were notified by email.' => '',
|
||||
'{nbMsgSent} already sent' => '',
|
||||
'Here you can create or edit profile categories and fields.' => 'Tutaj możesz tworzyć i edytowac profile kategorii i pól.',
|
||||
'Hide online status of users' => 'Ukryj status online użytkowników',
|
||||
'If enabled, the Group Manager will need to approve registration.' => 'Jeśli opcja ta jest włączona, menedżer grupy będzie musiał zatwierdzić rejestrację.',
|
||||
'If individual profile permissions are not allowed, the following settings are unchangeable for all users. If individual profile permissions are allowed, the settings are only set as defaults that users can customise. The following entries are then displayed in the same form in the users profile settings:' => 'Jeśli indywidualne pozwolenia profilowe są wyłączone, następujące ustawienia są niezmienne dla wszystkich użytkowników. Jeśli indywidualne ustawienia profilowe są zezwolone, te ustawienia są ustawione jako domyślne i użytkownik może je edytować. Następujące wpisy są wtedy wyświetlone w tej samej formie w ustawieniach profilu użytkownika.',
|
||||
'If this option is not selected, the ownership of the spaces will be transferred to your account.' => 'Jeżeli ta opcja nie jest wybrana, własność stref zostanie przekazana na Twoje konto.',
|
||||
'Impersonate' => 'Użyj tożsamości',
|
||||
'Information 1' => 'Informacja 1',
|
||||
'Information 2' => 'Informacja 2',
|
||||
'Information 3' => 'Informacja 3',
|
||||
'Invisible' => 'Niewidoczny',
|
||||
'Invite new people' => 'Zaproś nowych ludzi',
|
||||
'Invite not found!' => 'Nie znaleziono zaproszenia!',
|
||||
'Last login' => 'Ostatnio zalogowany',
|
||||
'Last name' => 'Nazwisko',
|
||||
'List pending registrations' => 'Lista oczekujących rejestracji',
|
||||
'Make the group selectable at registration.' => 'Daj możliwość zaznaczenia grupy w trakcie rejestracji.',
|
||||
'Manage group: {groupName}' => 'Zarządzaj grupą: {groupName}',
|
||||
'Manage groups' => 'Zarządzaj grupami',
|
||||
'Manage profile attributes' => 'Zarządzaj atrybutami profilu',
|
||||
'Member since' => 'Członek od',
|
||||
'Members' => 'Członkowie',
|
||||
'Members can invite external users by email' => 'Członkowie mogą zapraszać zewnętrznych użytkowników za pomocą emalia',
|
||||
'Members can invite external users by link' => 'Członkowie mogą zapraszać użytkowników z zewnątrz przez odnośnik',
|
||||
'Message' => 'Wiadomość',
|
||||
'New approval requests' => 'Nowe żądania zatwierdzenia',
|
||||
'New users can register' => 'Anonimowi użytkownicy mogą rejestrować się',
|
||||
'No' => 'Nie',
|
||||
'No users were selected.' => 'Nie wybrano użytkowników.',
|
||||
'No value found!' => 'Nie znaleziono wartości!',
|
||||
'None' => 'Brak',
|
||||
'Not visible' => 'Niewodoczne',
|
||||
'One or more user needs your approval as group admin.' => 'Jeden lub więcej użytkowników wymaga zatwierdzenia przez grupę administratorów.',
|
||||
'Only applicable when limited access for non-authenticated users is enabled. Only affects new users.' => 'Właściwe tylko dla ograniczonego dostępu dla niezarejestrowanych użytkowników. Dotyczy jedynie nowych użytkowników.',
|
||||
'Overview' => 'Przegląd',
|
||||
'Password' => 'Hasło',
|
||||
'Pending approvals' => 'Oczekujące do zatwierdzenia',
|
||||
'Pending user approvals' => 'Użytkownicy oczekujący na zaakceptowanie',
|
||||
'People' => 'Ludzie',
|
||||
'Permanently delete' => 'Usuń na stałe',
|
||||
'Permissions' => 'Pozwolenia',
|
||||
'Post-registration approval required' => 'Wymagaj zatwierdzenia każdego konta',
|
||||
'Prioritised User Group' => 'Priorytetowa Grupa Użytkowników',
|
||||
'Profile Permissions' => 'Pozwolenia Profilowe',
|
||||
'Profiles' => 'Profile',
|
||||
'Protected' => 'Chroniona',
|
||||
'Protected group can not be deleted!' => 'Chroniona grupa nie może zostać usunięta!',
|
||||
'Re-send to all' => 'Ponów do wszystkich',
|
||||
'Remove from group' => 'Usuń z grupy',
|
||||
'Resend invitation email' => 'Wyślij ponownie wiadomość z zaproszeniem',
|
||||
'Resend invitation?' => 'Ponowić zaproszenie?',
|
||||
'Resend invitations?' => 'Ponowić zaproszenia?',
|
||||
'Save' => 'Zapisz',
|
||||
'Search by name, email or id.' => 'Szukaj po nazwie, e-mailu lub id.',
|
||||
'Select Groups' => 'Wybierz Grupy',
|
||||
'Select a prioritised group whose members are displayed before all others when the sorting option \'Default\' is selected. The users within the group and the users outside the group are additionally sorted by their last login.' => 'Wybierz priorytetową grupę której członkowie są wyświetlani przed wszystkimi innymi w przypadku wybrania opcji filtrowania "Domyślna". Użytkownicy wewnątrz grupy i na zewnątrz są dodatkowo filtrowani przez datę ostatniego logowania.',
|
||||
'Select the profile fields you want to add as columns' => 'Wybierz pola profilu które chcesz dodać jako kolumny',
|
||||
'Select which user information should be displayed in the \'People\' overview. You can select any profile fields, even those you have created individually. ' => 'Wybierz jakie informacje o użytkownika będą wyświetlone w przeglądzie "Ludzie". Możesz wybrać dowolne pole, nawet te stworzone ręcznie.',
|
||||
'Send' => 'Wyślij',
|
||||
'Send & decline' => 'Wyślij i odrzuć',
|
||||
'Send & save' => 'Wyślij i zapisz',
|
||||
'Send a message' => 'Wyślij wiadomość',
|
||||
'Send a message to <strong>{displayName}</strong> ' => 'Wyślij wiadomość do <strong>{displayName}</strong>',
|
||||
'Send invitation email' => 'Wyślij wiadomość z zaproszeniem',
|
||||
'Send invitation email again?' => 'Wysłać ponownie wiadomość z zaproszeniem?',
|
||||
'Send notifications to users when added to or removed from the group.' => 'Wysyłaj powiadomienia do użytkowników w przypadku dodania lub usunięcia z grupy.',
|
||||
'Settings' => 'Ustawienia',
|
||||
'Show group selection at registration' => 'Pokaż wybór grupy podczas rejestracji.',
|
||||
'Subject' => 'Temat',
|
||||
'The Space memberships of all group members will be updated. This may take up to several minutes.' => 'Członkowstwo strefy wszystkich członków grupy zostanie zaktualizowane. Ta operacja może potrwać kilka minut.',
|
||||
'The default user idle timeout is used when user session is idle for a certain time. The user is automatically logged out after this time.' => 'Domyślny limit czasu bezczynności użytkownika jest używany, gdy sesja użytkownika jest bezczynna przez określony czas. Po upływie tego czasu użytkownik jest automatycznie wylogowywany.',
|
||||
'The following list contains all pending sign-ups and invites.' => 'Poniższa lista zawiera wszystkie oczekujące zapisy i zaproszenia.',
|
||||
'The following list contains all registered users awaiting an approval.' => 'Poniższa lista zawiera wszystkich zarejestrowanych użytkowników oczekujących na akceptacje.',
|
||||
'The message has been sent by email.' => 'Wiadomość została wysłana przez email.',
|
||||
'The registration was approved and the user was notified by email.' => 'Rejestracja została zatwierdzona a użytkownik powiadomiony przez e-mail.',
|
||||
'The registration was declined and the user was notified by email.' => 'Rejestracja została odrzucona a użytkownik powiadomiony przez e-mail.',
|
||||
'The registrations were approved and the users were notified by email.' => 'Rejestracje zostały zatwierdzona a użytkownicy powiadomieni przez e-mail.',
|
||||
'The registrations were declined and the users were notified by email.' => 'Rejestracje zostały odrzucone a użytkownicy powiadomieni przez e-mail.',
|
||||
'The selected invitations have been successfully deleted!' => 'Wybrane zaproszenia zostały pomyślnie usunięte!',
|
||||
'The selected invitations have been successfully re-sent!' => 'Wybrane zaproszenia zostały poprawnie rozesłane!',
|
||||
'The user cannot be removed from this Group!' => 'Użytkownik nie może zostać usunięty z tej grupy!',
|
||||
'The user cannot be removed from this Group, as users are required to be assigned to at least one Group.' => 'Użytkownika nie można usunąć z tej grupy, ponieważ użytkownicy muszą być przypisani do co najmniej jednej grupy.',
|
||||
'The user is the owner of these spaces:' => 'Ten użytkownik jest właścicielem tych stref:',
|
||||
'The users were notified by email.' => 'Uźytkownicy zostali powiadomieni przez email.',
|
||||
'This option allows you to determine whether users may set individual permissions for their own profiles.' => 'Ta opcja pozwala ustalić czy użytkownicy mogą ustawiać indywidualne pozwolenia we własnych profilach.',
|
||||
'This overview contains a list of each registered user with actions to view, edit and delete users.' => 'Ten przegląd zawiera listę wszystkich zarejestrowanych użytkowników z możliwością przeglądania, edycji i usuwania użytkowników.',
|
||||
'This user owns no spaces.' => 'Ten użytkownik nie jest właścicielem żadnych stref.',
|
||||
'Unapproved' => 'Niezatwierdzony',
|
||||
'User deletion process queued.' => 'Usunięcie użytkownika dodane do kolejki.',
|
||||
'User is already a member of this group.' => 'Użytkownik już jest członkiem tej grupy!',
|
||||
'User not found!' => 'Użytkownik nie znaleziony!',
|
||||
'Users can be assigned to different groups (e.g. teams, departments etc.) with specific standard spaces, group managers and permissions.' => 'Użytkownicy mogą zostać przydzieleni do innych grup (np. drużyn, działów itp.) z ustalonymi standardowymi strefami, grupami i pozwoleniami.',
|
||||
'Using this option any contributions (e.g. contents, comments or likes) of this user will be irrevocably deleted.' => 'Używając tej opcji cały wkład (t.j. wpisy, komentarze lub polubienia) tego użytkownika zostanie nieodwracalnie usunięty.',
|
||||
'View profile' => 'Zobacz profil',
|
||||
'Visible for members only' => 'Widoczne tylko dla członków',
|
||||
'Visible for members+guests' => 'Widoczne dla członków i gości',
|
||||
'Will be used as a filter in \'People\'.' => 'Zostanie użyte jako filtr w zakładce "Ludzie"',
|
||||
'Yes' => 'Tak',
|
||||
'You can only delete empty categories!' => 'Możesz usunąć tylko pustą kategorię!',
|
||||
'You cannot delete yourself!' => 'Nie możesz się usunąć!',
|
||||
'never' => 'nigdy',
|
||||
'{nbMsgSent} already sent' => '{nbMsgSent} już wysłana',
|
||||
];
|
||||
|
@ -67,7 +67,7 @@ return [
|
||||
'Statistics' => 'Estatísticas',
|
||||
'The cron job for the background jobs (queue) does not seem to work properly.' => 'O trabalho cron para os trabalhos em segundo plano (fila) parece não funcionar corretamente.',
|
||||
'The cron job for the regular tasks (cron) does not seem to work properly.' => 'O trabalho cron para as tarefas regulares (cron) parece não funcionar corretamente.',
|
||||
'The mobile app push service is not available. Please install and configure the "Push Notifications" module.' => '',
|
||||
'The mobile app push service is not available. Please install and configure the "Push Notifications" module.' => 'O serviço push do aplicativo móvel não está disponível. Por favor, instale e configure o módulo "Push Notifications".',
|
||||
'This overview shows you all installed modules and allows you to enable, disable, configure and of course uninstall them. To discover new modules, take a look into our Marketplace. Please note that deactivating or uninstalling a module will result in the loss of any content that was created with that module.' => 'Esta visão geral mostra todos os módulos instalados e permite que você habilite, desabilite, configure e, claro, desinstale-os. Para descobrir novos módulos, dê uma olhada em nosso Marketplace. Observe que desativar ou desinstalar um módulo resultará na perda de qualquer conteúdo que tenha sido criado com esse módulo.',
|
||||
'Topics' => 'Tópicos',
|
||||
'Uninstall' => 'Desinstalar',
|
||||
|
@ -1,106 +1,105 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'"Push Notifications (Firebase)" module and setup of Firebase API Key required' => 'Módulo "Notificações Push (Firebase)" e configuração da chave da API do Firebase necessários',
|
||||
'<strong>CronJob</strong> Status' => 'Status do <strong>CronJob</strong>',
|
||||
'<strong>Queue</strong> Status' => 'Status da <strong>Fila</strong>',
|
||||
'About HumHub' => 'Sobre HumHub',
|
||||
'Assets' => 'Ativos',
|
||||
'Background Jobs' => 'Trabalhos em segundo plano',
|
||||
'Base URL' => 'URL base',
|
||||
'Checking HumHub software prerequisites.' => 'Verificando os pré-requisitos de software HumHub.',
|
||||
'Configuration File' => 'Arquivo de configuração',
|
||||
'Current limit is: {currentLimit}' => 'O limite atual é: {currentLimit}',
|
||||
'Custom Modules ({modules})' => 'Módulos personalizados ({modules})',
|
||||
'Database' => 'Banco de dados',
|
||||
'Database collation' => 'Collation de banco de dados',
|
||||
'Database driver - {driver}' => 'Driver de banco de dados - {driver}',
|
||||
'Database migration results:' => 'Resultados da migração do banco de dados:',
|
||||
'Delayed' => 'Atrasado',
|
||||
'Deprecated Modules ({modules})' => 'Módulos obsoletos ({modules})',
|
||||
'Detected URL: {currentBaseUrl}' => 'URL detectado: {currentBaseUrl}',
|
||||
'Different table collations in the tables: {tables}' => 'Diferentes ordenações de tabelas nas tabelas: {tables}',
|
||||
'Disabled Functions' => 'Funções desabilitadas',
|
||||
'Displaying {count} entries per page.' => 'Exibindo {count} entradas por página.',
|
||||
'Done' => 'Feito',
|
||||
'Driver' => 'Driver',
|
||||
'Dynamic Config' => 'Configuração dinâmica',
|
||||
'Error' => 'Erro',
|
||||
'Flush entries' => 'Limpar entradas',
|
||||
'HumHub' => 'HumHub',
|
||||
'HumHub Documentation' => 'Documentação do HumHub',
|
||||
'HumHub is currently in debug mode. Disable it when running on production!' => 'HumHub está em modo debug. Desabilite isso quando no mode de produção!',
|
||||
'ICU Data Version ({version})' => 'Versão dos dados da ICU ({version})',
|
||||
'ICU Data {icuMinVersion} or higher is required' => 'Dados ICU {icuMinVersion} ou superior são necessários',
|
||||
'ICU Version ({version})' => 'Versão de ICU ({version})',
|
||||
'ICU {icuMinVersion} or higher is required' => 'ICU {icuMinVersion} ou superior é necessária',
|
||||
'Increase memory limit in {fileName}' => 'Aumente o limite de memória em {fileName}',
|
||||
'Info' => 'Informações',
|
||||
'Install {phpExtension} Extension' => 'Instale a extensão {phpExtension}',
|
||||
'Install {phpExtension} Extension for APC Caching' => 'Instale a extensão {phpExtension} para Cache APC',
|
||||
'Install {phpExtension} Extension for e-mail S/MIME support.' => 'Instale a extensão {phpExtension} para suporte S/MIME de e-mail.',
|
||||
'Last run (daily):' => 'Última execução (diária):',
|
||||
'Last run (hourly):' => 'Última execução (por hora):',
|
||||
'Licences' => 'Licenças',
|
||||
'Logging' => 'Registro de log',
|
||||
'Make sure that the `proc_open` function is not disabled.' => 'Certifique-se de que a função `proc_open` não esteja desabilitada.',
|
||||
'Make {filePath} writable for the Webserver/PHP!' => 'Torne {filePath} gravável para o servidor Web/PHP!',
|
||||
'Marketplace API Connection' => 'Conexão da API do Marketplace',
|
||||
'Memory Limit ({memoryLimit})' => 'Limite de memória ({memoryLimit})',
|
||||
'Minimum Version {minVersion}' => 'Versão mínima {minVersion}',
|
||||
'Mobile App - Push Service' => 'Aplicativo Móvel - Serviço Push',
|
||||
'Module Directory' => 'Diretório do módulo',
|
||||
'Multibyte String Functions' => 'Funções de String Multibyte',
|
||||
'Must be updated manually. Check compatibility with newer HumHub versions before updating.' => 'Deve ser atualizado manualmente. Verifique a compatibilidade com versões mais recentes do HumHub antes de atualizar.',
|
||||
'Never' => 'Nunca',
|
||||
'Optional' => 'Opcional',
|
||||
'Other' => 'Outro',
|
||||
'Outstanding database migrations:' => 'Migrações de banco de dados excepcionais:',
|
||||
'Permissions' => 'Permissões',
|
||||
'Please refer to the documentation to setup the cronjobs and queue workers.' => 'Por favor, consulte a documentação para configurar os cronjobs e os trabalhadores da fila.',
|
||||
'Prerequisites' => 'Pré-requisitos',
|
||||
'Pretty URLs' => 'URLs Bonitas',
|
||||
'Profile Image' => 'Imagem de perfil',
|
||||
'Queue successfully cleared.' => 'Fila limpa com sucesso.',
|
||||
'Re-Run tests' => 'Re-executar testes',
|
||||
'Rebuild search index' => 'Reconstruir índice de pesquisa',
|
||||
'Recommended collation is {collation}' => 'O collation recomendado é {collation}',
|
||||
'Recommended collation is {collation} for the tables: {tables}' => 'O collation recomendado é {collation} para as tabelas: {tables}',
|
||||
'Recommended engine is {engine} for the tables: {tables}' => 'O mecanismo recomendado é {engine} para as tabelas: {tables}',
|
||||
'Refresh' => 'Atualizar',
|
||||
'Reserved' => 'Reservado',
|
||||
'Runtime' => 'Tempo de execução',
|
||||
'Search index rebuild in progress.' => 'Recriação do índice de pesquisa em andamento.',
|
||||
'Search term...' => 'Termo de pesquisa...',
|
||||
'See installation manual for more details.' => 'Veja o manual de instalação para maiores detalhes(rá!).',
|
||||
'Select category..' => 'Selecione a Categoria..',
|
||||
'Select day' => 'Selecione o dia',
|
||||
'Select level...' => 'Selecione o nível...',
|
||||
'Settings' => 'Configurações',
|
||||
'Supported drivers: {drivers}' => 'Drivers suportados: {drivers}',
|
||||
'Table collations' => 'Collations de tabela',
|
||||
'Table engines' => 'Mecanismos de tabela',
|
||||
'The configuration file contains legacy settings. Invalid options: {options}' => 'O arquivo de configuração contém configurações legadas. Opções inválidas: {options}',
|
||||
'The current main HumHub database name is ' => 'O nome atual do banco de dados HumHub é',
|
||||
'The module(s) are no longer maintained and should be uninstalled.' => 'O(s) módulo(s) não são mais mantidos e devem ser desinstalados.',
|
||||
'There is a new update available! (Latest version: %version%)' => 'Uma nova atualização está disponível! (Versão mais recente: %version%)',
|
||||
'This HumHub installation is up to date!' => 'Esta instalação do HumHum está atualizada!',
|
||||
'Total {count} entries found.' => 'Total de {count} entradas encontradas.',
|
||||
'Trace' => 'Vestígio',
|
||||
'Update Database' => 'Atualizar banco de dados',
|
||||
'Uploads' => 'Uploads',
|
||||
'Varying table engines are not supported.' => 'Os mecanismos de tabela variável não são suportados.',
|
||||
'Version' => 'Versão',
|
||||
'Waiting' => 'Aguardando',
|
||||
'Warning' => 'Atenção',
|
||||
'Web Application PHP version: `{webPhpVersion}`, Cron PHP Version: `{cronPhpVersion}`' => 'Versão do PHP do aplicativo da Web: `{webPhpVersion}`, Versão do PHP do Cron: `{cronPhpVersion}`',
|
||||
'Web Application and Cron uses the same PHP version' => 'O aplicativo da Web e o Cron usam a mesma versão do PHP',
|
||||
'Web Application and Cron uses the same user' => 'O aplicativo da Web e o Cron usam o mesmo usuário',
|
||||
'Web Application user: `{webUser}`, Cron user: `{cronUser}`' => 'Usuário do aplicativo Web: `{webUser}`, Usuário Cron: `{cronUser}`',
|
||||
'Your database is <b>up-to-date</b>.' => 'Seu banco de dados está <b>atualizado</b>.',
|
||||
'{imageExtension} Support' => 'Suporte {imageExtension}',
|
||||
'{phpExtension} Extension' => 'Extensão {phpExtension}',
|
||||
'{phpExtension} Support' => 'Suporte {phpExtension}',
|
||||
'New migrations should be applied: {migrations}' => '',
|
||||
'No pending migrations' => '',
|
||||
'"Push Notifications (Firebase)" module and setup of Firebase API Key required' => 'Módulo "Notificações Push (Firebase)" e configuração da chave da API do Firebase necessários',
|
||||
'<strong>CronJob</strong> Status' => 'Status do <strong>CronJob</strong>',
|
||||
'<strong>Queue</strong> Status' => 'Status da <strong>Fila</strong>',
|
||||
'About HumHub' => 'Sobre HumHub',
|
||||
'Assets' => 'Ativos',
|
||||
'Background Jobs' => 'Trabalhos em segundo plano',
|
||||
'Base URL' => 'URL base',
|
||||
'Checking HumHub software prerequisites.' => 'Verificando os pré-requisitos de software HumHub.',
|
||||
'Configuration File' => 'Arquivo de configuração',
|
||||
'Current limit is: {currentLimit}' => 'O limite atual é: {currentLimit}',
|
||||
'Custom Modules ({modules})' => 'Módulos personalizados ({modules})',
|
||||
'Database' => 'Banco de dados',
|
||||
'Database collation' => 'Collation de banco de dados',
|
||||
'Database driver - {driver}' => 'Driver de banco de dados - {driver}',
|
||||
'Database migration results:' => 'Resultados da migração do banco de dados:',
|
||||
'Delayed' => 'Atrasado',
|
||||
'Deprecated Modules ({modules})' => 'Módulos obsoletos ({modules})',
|
||||
'Detected URL: {currentBaseUrl}' => 'URL detectado: {currentBaseUrl}',
|
||||
'Different table collations in the tables: {tables}' => 'Diferentes ordenações de tabelas nas tabelas: {tables}',
|
||||
'Disabled Functions' => 'Funções desabilitadas',
|
||||
'Displaying {count} entries per page.' => 'Exibindo {count} entradas por página.',
|
||||
'Done' => 'Feito',
|
||||
'Driver' => 'Driver',
|
||||
'Dynamic Config' => 'Configuração dinâmica',
|
||||
'Error' => 'Erro',
|
||||
'Flush entries' => 'Limpar entradas',
|
||||
'HumHub' => 'HumHub',
|
||||
'HumHub Documentation' => 'Documentação do HumHub',
|
||||
'HumHub is currently in debug mode. Disable it when running on production!' => 'HumHub está em modo debug. Desabilite isso quando no mode de produção!',
|
||||
'ICU Data Version ({version})' => 'Versão dos dados da ICU ({version})',
|
||||
'ICU Data {icuMinVersion} or higher is required' => 'Dados ICU {icuMinVersion} ou superior são necessários',
|
||||
'ICU Version ({version})' => 'Versão de ICU ({version})',
|
||||
'ICU {icuMinVersion} or higher is required' => 'ICU {icuMinVersion} ou superior é necessária',
|
||||
'Increase memory limit in {fileName}' => 'Aumente o limite de memória em {fileName}',
|
||||
'Info' => 'Informações',
|
||||
'Install {phpExtension} Extension' => 'Instale a extensão {phpExtension}',
|
||||
'Install {phpExtension} Extension for APC Caching' => 'Instale a extensão {phpExtension} para Cache APC',
|
||||
'Install {phpExtension} Extension for e-mail S/MIME support.' => 'Instale a extensão {phpExtension} para suporte S/MIME de e-mail.',
|
||||
'Last run (daily):' => 'Última execução (diária):',
|
||||
'Last run (hourly):' => 'Última execução (por hora):',
|
||||
'Licences' => 'Licenças',
|
||||
'Logging' => 'Registro de log',
|
||||
'Make sure that the `proc_open` function is not disabled.' => 'Certifique-se de que a função `proc_open` não esteja desabilitada.',
|
||||
'Make {filePath} writable for the Webserver/PHP!' => 'Torne {filePath} gravável para o servidor Web/PHP!',
|
||||
'Marketplace API Connection' => 'Conexão da API do Marketplace',
|
||||
'Memory Limit ({memoryLimit})' => 'Limite de memória ({memoryLimit})',
|
||||
'Minimum Version {minVersion}' => 'Versão mínima {minVersion}',
|
||||
'Mobile App - Push Service' => 'Aplicativo Móvel - Serviço Push',
|
||||
'Module Directory' => 'Diretório do módulo',
|
||||
'Multibyte String Functions' => 'Funções de String Multibyte',
|
||||
'Must be updated manually. Check compatibility with newer HumHub versions before updating.' => 'Deve ser atualizado manualmente. Verifique a compatibilidade com versões mais recentes do HumHub antes de atualizar.',
|
||||
'Never' => 'Nunca',
|
||||
'New migrations should be applied: {migrations}' => 'Novas migrações devem ser aplicadas: {migrations}',
|
||||
'No pending migrations' => 'Nenhuma migração pendente',
|
||||
'Optional' => 'Opcional',
|
||||
'Other' => 'Outro',
|
||||
'Outstanding database migrations:' => 'Migrações de banco de dados excepcionais:',
|
||||
'Permissions' => 'Permissões',
|
||||
'Please refer to the documentation to setup the cronjobs and queue workers.' => 'Por favor, consulte a documentação para configurar os cronjobs e os trabalhadores da fila.',
|
||||
'Prerequisites' => 'Pré-requisitos',
|
||||
'Pretty URLs' => 'URLs Bonitas',
|
||||
'Profile Image' => 'Imagem de perfil',
|
||||
'Queue successfully cleared.' => 'Fila limpa com sucesso.',
|
||||
'Re-Run tests' => 'Re-executar testes',
|
||||
'Rebuild search index' => 'Reconstruir índice de pesquisa',
|
||||
'Recommended collation is {collation}' => 'O collation recomendado é {collation}',
|
||||
'Recommended collation is {collation} for the tables: {tables}' => 'O collation recomendado é {collation} para as tabelas: {tables}',
|
||||
'Recommended engine is {engine} for the tables: {tables}' => 'O mecanismo recomendado é {engine} para as tabelas: {tables}',
|
||||
'Refresh' => 'Atualizar',
|
||||
'Reserved' => 'Reservado',
|
||||
'Runtime' => 'Tempo de execução',
|
||||
'Search index rebuild in progress.' => 'Recriação do índice de pesquisa em andamento.',
|
||||
'Search term...' => 'Termo de pesquisa...',
|
||||
'See installation manual for more details.' => 'Veja o manual de instalação para maiores detalhes(rá!).',
|
||||
'Select category..' => 'Selecione a Categoria..',
|
||||
'Select day' => 'Selecione o dia',
|
||||
'Select level...' => 'Selecione o nível...',
|
||||
'Settings' => 'Configurações',
|
||||
'Supported drivers: {drivers}' => 'Drivers suportados: {drivers}',
|
||||
'Table collations' => 'Collations de tabela',
|
||||
'Table engines' => 'Mecanismos de tabela',
|
||||
'The configuration file contains legacy settings. Invalid options: {options}' => 'O arquivo de configuração contém configurações legadas. Opções inválidas: {options}',
|
||||
'The current main HumHub database name is ' => 'O nome atual do banco de dados HumHub é',
|
||||
'The module(s) are no longer maintained and should be uninstalled.' => 'O(s) módulo(s) não são mais mantidos e devem ser desinstalados.',
|
||||
'There is a new update available! (Latest version: %version%)' => 'Uma nova atualização está disponível! (Versão mais recente: %version%)',
|
||||
'This HumHub installation is up to date!' => 'Esta instalação do HumHum está atualizada!',
|
||||
'Total {count} entries found.' => 'Total de {count} entradas encontradas.',
|
||||
'Trace' => 'Vestígio',
|
||||
'Update Database' => 'Atualizar banco de dados',
|
||||
'Uploads' => 'Uploads',
|
||||
'Varying table engines are not supported.' => 'Os mecanismos de tabela variável não são suportados.',
|
||||
'Version' => 'Versão',
|
||||
'Waiting' => 'Aguardando',
|
||||
'Warning' => 'Atenção',
|
||||
'Web Application PHP version: `{webPhpVersion}`, Cron PHP Version: `{cronPhpVersion}`' => 'Versão do PHP do aplicativo da Web: `{webPhpVersion}`, Versão do PHP do Cron: `{cronPhpVersion}`',
|
||||
'Web Application and Cron uses the same PHP version' => 'O aplicativo da Web e o Cron usam a mesma versão do PHP',
|
||||
'Web Application and Cron uses the same user' => 'O aplicativo da Web e o Cron usam o mesmo usuário',
|
||||
'Web Application user: `{webUser}`, Cron user: `{cronUser}`' => 'Usuário do aplicativo Web: `{webUser}`, Usuário Cron: `{cronUser}`',
|
||||
'Your database is <b>up-to-date</b>.' => 'Seu banco de dados está <b>atualizado</b>.',
|
||||
'{imageExtension} Support' => 'Suporte {imageExtension}',
|
||||
'{phpExtension} Extension' => 'Extensão {phpExtension}',
|
||||
'{phpExtension} Support' => 'Suporte {phpExtension}',
|
||||
];
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Acessar Informação de Administrador',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Pode acessar a seção \'Administração -> Informação\'.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Pode administrar módulos na seção \'Administração -> Módulos\'.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Pode administrar espaços na seção \'Administração -> Espaços\' (criar/alterar/apagar).',
|
||||
'Can manage general settings.' => 'Pode administrar configurações de usuário, espaço e geral.',
|
||||
'Can manage users and groups' => 'Pode administrar usuários e grupos',
|
||||
'Can manage users and user profiles.' => 'Pode administrar usuários e perfis de usuários.',
|
||||
'Manage Groups' => 'Administrar Grupos',
|
||||
'Manage Modules' => 'Administrar Módulos',
|
||||
'Manage Settings' => 'Administrar Configurações',
|
||||
'Manage Spaces' => 'Administrar Espaços',
|
||||
'Manage Users' => 'Administrar Usuários',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Acessar Informação de Administrador',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Pode acessar a seção \'Administração -> Informação\'.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Pode administrar espaços na seção \'Administração -> Espaços\' (criar/alterar/apagar).',
|
||||
'Can manage general settings.' => 'Pode administrar configurações de usuário, espaço e geral.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Pode administrar módulos na seção \'Administração -> Módulos\'.',
|
||||
'Can manage users and groups' => 'Pode administrar usuários e grupos',
|
||||
'Can manage users and user profiles.' => 'Pode administrar usuários e perfis de usuários.',
|
||||
'Manage Groups' => 'Administrar Grupos',
|
||||
'Manage Modules' => 'Administrar Módulos',
|
||||
'Manage Settings' => 'Administrar Configurações',
|
||||
'Manage Spaces' => 'Administrar Espaços',
|
||||
'Manage Users' => 'Administrar Usuários',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -28,7 +28,7 @@ return [
|
||||
'Cache Backend' => 'Backend de cache',
|
||||
'Comma separated list. Leave empty to allow all.' => 'Lista separada por vírgulas. Deixe em branco para permitir todos.',
|
||||
'Configuration (Use settings from configuration file)' => 'Configuração (Use as configurações do arquivo de configuração)',
|
||||
'Convert to global topic' => '',
|
||||
'Convert to global topic' => 'Converter para tópico global',
|
||||
'Could not send test email.' => 'Não foi possível enviar o email de teste.',
|
||||
'Currently no provider active!' => 'Atualmente nenhum provedor está ativo!',
|
||||
'Currently there are {count} records in the database dating from {dating}.' => 'Temos atualmente {count} registros no banco de dados desde {dating}.',
|
||||
@ -65,7 +65,7 @@ return [
|
||||
'Friendship' => 'Amizades',
|
||||
'General' => 'Geral',
|
||||
'General Settings' => 'Configurações Gerais',
|
||||
'Global topics can be used by all users in all Spaces. They make it easier for you to define consistent keywords throughout your entire network. If users have already created topics in Spaces, you can also convert them to global topics here.' => '',
|
||||
'Global topics can be used by all users in all Spaces. They make it easier for you to define consistent keywords throughout your entire network. If users have already created topics in Spaces, you can also convert them to global topics here.' => 'Tópicos globais podem ser usados por todos os usuários em todos os Spaces. Eles facilitam a definição de palavras-chave consistentes em toda a sua rede. Se os usuários já criaram tópicos em Spaces, você também pode convertê-los em tópicos globais aqui.',
|
||||
'HTML tracking code' => 'Código de rastreamento HTML',
|
||||
'Here you can configurate the registration behaviour and additinal user settings of your social network.' => 'Aqui você pode configurar o comportamento de registro e configurações adicionais de usuário de sua rede social.',
|
||||
'Here you can configure basic settings of your social network.' => 'Aqui você pode configurar as definições básicas de sua rede social.',
|
||||
|
@ -1,38 +1,37 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'<strong>Manage</strong> Spaces' => '<strong>Gerenciar</strong> espaços',
|
||||
'Add new space' => 'Adicionar novo espaço',
|
||||
'By using user roles, you can create different permission groups within a Space. These can also be individualized by authorized users for each and every Space and are only relevant for that specific Space.' => 'Usando funções de usuário, você pode criar diferentes grupos de permissão dentro de um Espaço. Eles também podem ser individualizados por usuários autorizados para cada um dos espaços e são relevantes apenas para aquele espaço específico.',
|
||||
'Change owner' => 'Alterar proprietário',
|
||||
'Default "Hide About Page"' => 'Padrão "Ocultar página Sobre"',
|
||||
'Default "Hide Activity Sidebar Widget"' => 'Padrão "Ocultar widget da barra lateral de atividades"',
|
||||
'Default "Hide Followers"' => 'Padrão "Ocultar seguidores"',
|
||||
'Default "Hide Members"' => 'Padrão "Ocultar membros"',
|
||||
'Default Content Visiblity' => 'Visibilidade Padrão do Conteúdo',
|
||||
'Default Homepage' => 'Página inicial padrão',
|
||||
'Default Homepage (Non-members)' => 'Página inicial padrão (não membros)',
|
||||
'Default Join Policy' => 'Política Padrão de Adesão',
|
||||
'Default Space Permissions' => 'Permissões de espaço padrão',
|
||||
'Default Space(s)' => 'Espaço (s) padrão',
|
||||
'Default Visibility' => 'Visibilidade Padrão',
|
||||
'Default space' => 'Espaço padrão',
|
||||
'Here you can define your default settings for new spaces. These settings can be overwritten for each individual space.' => 'Aqui você pode definir as configurações padrão para novos espaços. Essas configurações podem ser alteradas individualmente para cada espaço.',
|
||||
'Invalid space' => 'Espaço inválido',
|
||||
'Manage members' => 'Gerenciar membros',
|
||||
'Manage modules' => 'Gerenciar módulos',
|
||||
'Open space' => 'Espaço aberto',
|
||||
'Overview' => 'Visão Global',
|
||||
'Permissions' => 'Permissões',
|
||||
'Search by name, description, id or owner.' => 'Pesquise por nome, descrição, identificação ou proprietário.',
|
||||
'Settings' => 'Configurações',
|
||||
'Space Settings' => 'Configurações do Espaço',
|
||||
'These options allow you to set the default permissions for all Spaces. Authorized users are able individualize these for each Space. Further entries are added with the installation of new modules.' => 'Essas opções permitem que você defina as permissões padrão para todos os Espaços. Os usuários autorizados podem individualizá-los para cada Espaço. Outras entradas são adicionadas com a instalação de novos módulos.',
|
||||
'This overview contains a list of each space with actions to view, edit and delete spaces.' => 'Esta Visão Global contém uma lista de ações para cada espaço como visualizar, editar e excluir espaços.',
|
||||
'Update Space memberships also for existing members.' => 'Atualize as associações do Espaço também para os membros existentes.',
|
||||
'All existing Space Topics will be converted to Global Topics.' => '',
|
||||
'Allow individual topics in Spaces' => '',
|
||||
'Convert' => '',
|
||||
'Convert Space Topics' => '',
|
||||
'Default Stream Sort' => '',
|
||||
'<strong>Manage</strong> Spaces' => '<strong>Gerenciar</strong> espaços',
|
||||
'Add new space' => 'Adicionar novo espaço',
|
||||
'All existing Space Topics will be converted to Global Topics.' => 'Todos os Tópicos existentes nos Spaces serão convertidos em Tópicos Globais.',
|
||||
'Allow individual topics in Spaces' => 'Permitir tópicos individuais nos Spaces',
|
||||
'By using user roles, you can create different permission groups within a Space. These can also be individualized by authorized users for each and every Space and are only relevant for that specific Space.' => 'Usando funções de usuário, você pode criar diferentes grupos de permissão dentro de um Espaço. Eles também podem ser individualizados por usuários autorizados para cada um dos espaços e são relevantes apenas para aquele espaço específico.',
|
||||
'Change owner' => 'Alterar proprietário',
|
||||
'Convert' => 'Converter',
|
||||
'Convert Space Topics' => 'Converter Tópicos nos Spaces',
|
||||
'Default "Hide About Page"' => 'Padrão "Ocultar página Sobre"',
|
||||
'Default "Hide Activity Sidebar Widget"' => 'Padrão "Ocultar widget da barra lateral de atividades"',
|
||||
'Default "Hide Followers"' => 'Padrão "Ocultar seguidores"',
|
||||
'Default "Hide Members"' => 'Padrão "Ocultar membros"',
|
||||
'Default Content Visiblity' => 'Visibilidade Padrão do Conteúdo',
|
||||
'Default Homepage' => 'Página inicial padrão',
|
||||
'Default Homepage (Non-members)' => 'Página inicial padrão (não membros)',
|
||||
'Default Join Policy' => 'Política Padrão de Adesão',
|
||||
'Default Space Permissions' => 'Permissões de espaço padrão',
|
||||
'Default Space(s)' => 'Espaço (s) padrão',
|
||||
'Default Stream Sort' => 'Classificação de fluxo padrão',
|
||||
'Default Visibility' => 'Visibilidade Padrão',
|
||||
'Default space' => 'Espaço padrão',
|
||||
'Here you can define your default settings for new spaces. These settings can be overwritten for each individual space.' => 'Aqui você pode definir as configurações padrão para novos espaços. Essas configurações podem ser alteradas individualmente para cada espaço.',
|
||||
'Invalid space' => 'Espaço inválido',
|
||||
'Manage members' => 'Gerenciar membros',
|
||||
'Manage modules' => 'Gerenciar módulos',
|
||||
'Open space' => 'Espaço aberto',
|
||||
'Overview' => 'Visão Global',
|
||||
'Permissions' => 'Permissões',
|
||||
'Search by name, description, id or owner.' => 'Pesquise por nome, descrição, identificação ou proprietário.',
|
||||
'Settings' => 'Configurações',
|
||||
'Space Settings' => 'Configurações do Espaço',
|
||||
'These options allow you to set the default permissions for all Spaces. Authorized users are able individualize these for each Space. Further entries are added with the installation of new modules.' => 'Essas opções permitem que você defina as permissões padrão para todos os Espaços. Os usuários autorizados podem individualizá-los para cada Espaço. Outras entradas são adicionadas com a instalação de novos módulos.',
|
||||
'This overview contains a list of each space with actions to view, edit and delete spaces.' => 'Esta Visão Global contém uma lista de ações para cada espaço como visualizar, editar e excluir espaços.',
|
||||
'Update Space memberships also for existing members.' => 'Atualize as associações do Espaço também para os membros existentes.',
|
||||
];
|
||||
|
@ -1,98 +1,102 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'<strong>Information</strong>' => '<strong>Informação</strong>',
|
||||
'<strong>Profile</strong> Permissions' => '<strong>Perfil</strong> Permissões',
|
||||
'<strong>Settings</strong> and Configuration' => '<strong>Definições</strong> e Configuração',
|
||||
'<strong>User</strong> administration' => 'Administração de <strong>Usuário</strong>',
|
||||
'<strong>Warning:</strong> All individual profile permission settings are reset to the default values!' => '<strong>Aviso:</strong> Todas as configurações de permissão de perfil individual são redefinidas para os valores padrão!',
|
||||
'About the account request for \'{displayName}\'.' => 'Sobre a solicitação de conta para \'{displayName}\'.',
|
||||
'Accept user: <strong>{displayName}</strong> ' => 'Aceitar usuário: <strong>{displayName}</strong>',
|
||||
'Account' => 'Conta',
|
||||
'Account Request for \'{displayName}\' has been approved.' => 'Pedido de cadastro de \'{displayName}\' foi aprovado.',
|
||||
'Account Request for \'{displayName}\' has been declined.' => 'Pedido de cadastro de \'{displayName}\' foi recusado.',
|
||||
'Actions' => 'Ações',
|
||||
'Active users' => 'Usuários ativos',
|
||||
'Add Groups...' => 'Adicionar Grupos...',
|
||||
'Add new category' => 'Adicionar nova categoria',
|
||||
'Add new field' => 'Adicionar novo campo',
|
||||
'Add new group' => 'Adicionar novo grupo',
|
||||
'Add new members...' => 'Adicionar novos membros...',
|
||||
'Add new user' => 'Adicionar novo usuário',
|
||||
'Administrator group could not be deleted!' => 'Não foi possível excluir o grupo de administradores!',
|
||||
'All open registration invitations were successfully deleted.' => 'Todos os convites de inscrição abertos foram excluídos com sucesso.',
|
||||
'All open registration invitations were successfully re-sent.' => 'Todos os convites abertos para inscrição foram reenviados com sucesso.',
|
||||
'All the personal data of this user will be irrevocably deleted.' => 'Todos os dados pessoais deste usuário serão irrevogavelmente excluídos.',
|
||||
'Allow' => 'Permitir',
|
||||
'Allow users to block each other' => 'Permitir que os usuários bloqueiem uns aos outros',
|
||||
'Allow users to set individual permissions for their own profile?' => 'Permitir que os usuários definam permissões individuais para seus próprios perfis?',
|
||||
'Allow visitors limited access to content without an account (Adds visibility: "Guest")' => 'Permitir acesso limitado para usuários não autenticados (convidados)',
|
||||
'Applied to new or existing users without any other group membership.' => 'Aplicado a usuários novos ou existentes sem qualquer outra associação de grupo.',
|
||||
'Apply' => 'Aplicar',
|
||||
'Approve' => 'Aprovar',
|
||||
'Approve all selected' => 'Aprovar todos os selecionados',
|
||||
'Are you really sure that you want to disable this user?' => 'Tem certeza de que deseja desabilitar esse usuário?',
|
||||
'Are you really sure that you want to enable this user?' => 'Você tem certeza de que deseja habilitar esse usuário?',
|
||||
'Are you really sure that you want to impersonate this user?' => 'Você tem certeza de que deseja se passar por esse usuário?',
|
||||
'Are you really sure? The selected users will be approved and notified by e-mail.' => 'Você tem certeza? Os usuários selecionados serão aprovados e notificados por e-mail.',
|
||||
'Are you really sure? The selected users will be deleted and notified by e-mail.' => 'Você tem certeza? Os usuários selecionados serão excluídos e notificados por e-mail.',
|
||||
'Are you really sure? The selected users will be notified by e-mail.' => 'Você tem certeza mesmo? Os usuários selecionados serão notificados por e-mail.',
|
||||
'Are you really sure? Users who are not assigned to another group are automatically assigned to the default group.' => 'Tem certeza mesmo? Os usuários que não estão atribuídos a outro grupo são atribuídos automaticamente ao grupo padrão.',
|
||||
'Are you sure that you want to delete following user?' => 'Tem certeza de que deseja excluir o seguinte usuário?',
|
||||
'Cancel' => 'Cancelar',
|
||||
'Click here to review' => 'Clique aqui para rever',
|
||||
'Confirm user deletion' => 'Confirmar exclusão de usuário',
|
||||
'Could not approve the user!' => 'Não foi possível aprovar o usuário!',
|
||||
'Could not decline the user!' => 'Não foi possível recusar o usuário!',
|
||||
'Could not load category.' => 'Não foi possível carregar a categoria.',
|
||||
'Could not send the message to the user!' => 'Não foi possível enviar a mensagem ao usuário!',
|
||||
'Create new group' => 'Criar novo grupo',
|
||||
'Create new profile category' => 'Criar nova categoria de perfil',
|
||||
'Create new profile field' => 'Criar novo campo de perfil',
|
||||
'Deactivate individual profile permissions?' => 'Desativar permissões de perfis individuais?',
|
||||
'Decline' => 'Recusar',
|
||||
'Decline & delete user: <strong>{displayName}</strong>' => 'Recusar e excluir o usuário: <strong>{displayName}</strong>',
|
||||
'Decline all selected' => 'Recusar todos os selecionados',
|
||||
'Default' => 'Padrão',
|
||||
'Default Profile Permissions' => 'Permissões de perfil padrão',
|
||||
'Default Sorting' => 'Classificação padrão',
|
||||
'Default content of the email when sending a message to the user' => 'Conteúdo padrão do e-mail ao enviar uma mensagem ao usuário',
|
||||
'Default content of the registration approval email' => 'Conteúdo padrão do e-mail de aprovação de registro',
|
||||
'Default content of the registration denial email' => 'Conteúdo padrão do e-mail de negação de registro',
|
||||
'Default group can not be deleted!' => 'O grupo padrão não pode ser excluído!',
|
||||
'Default user idle timeout, auto-logout (in seconds, optional)' => 'Tempo limite de inatividade do usuário padrão, logout automático (em segundos, opcional)',
|
||||
'Default user profile visibility' => 'Visibilidade padrão do perfil do usuário',
|
||||
'Delete' => 'Excluir',
|
||||
'Delete All' => 'Excluir tudo',
|
||||
'Delete all contributions of this user' => 'Excluir todas as contribuições deste usuário',
|
||||
'Delete invitation' => 'Excluir convite',
|
||||
'Delete invitation?' => 'Excluir convite?',
|
||||
'Delete pending registrations?' => 'Excluir registros pendentes?',
|
||||
'Delete spaces which are owned by this user' => 'Excluir espaços pertencentes a esse usuário',
|
||||
'Deleted' => 'Excluído',
|
||||
'Deleted invitation' => 'Convite excluído',
|
||||
'Deleted users' => 'Usuários excluídos',
|
||||
'Disable' => 'Desabilitar',
|
||||
'Disabled' => 'Desabilitado',
|
||||
'Disabled users' => 'Usuários desabilitados',
|
||||
'Do not change placeholders like {displayName} if you want them to be automatically filled by the system. To reset the email content fields with the system default, leave them empty.' => 'Não altere espaços reservados como {displayName} se você quer que eles sejam automaticamente preenchidos pelo sistema. Para redefinir o conteúdo de campos de e-mail para o padrão do sistema, deixe-os em branco.',
|
||||
'Do you really want to delete pending registrations?' => 'Você realmente deseja excluir os registros pendentes?',
|
||||
'Do you really want to re-send the invitations to pending registration users?' => 'Você realmente deseja reenviar os convites para usuários com registro pendente?',
|
||||
'Edit' => 'Editar',
|
||||
'Edit category' => 'Editar categoria',
|
||||
'Edit profile category' => 'Editar categoria de perfil',
|
||||
'Edit profile field' => 'Editar campo de perfil',
|
||||
'Edit user: {name}' => 'Editar usuário: {name}',
|
||||
'Email all selected' => 'Enviar e-mail para todos os selecionados',
|
||||
'Enable' => 'Habilitar',
|
||||
'Enable individual profile permissions' => 'Ativar permissões de perfil individual',
|
||||
'Enabled' => 'Habilitado',
|
||||
'First name' => 'Primeiro nome',
|
||||
'Group Manager' => 'Gerente do Grupo',
|
||||
'Group not found!' => 'Grupo não encontrado!',
|
||||
'Group user not found!' => 'Usuário de Grupo não encontrado!',
|
||||
'Groups' => 'Grupos',
|
||||
'Hello {displayName},
|
||||
'<strong>Information</strong>' => '<strong>Informação</strong>',
|
||||
'<strong>Profile</strong> Permissions' => '<strong>Perfil</strong> Permissões',
|
||||
'<strong>Settings</strong> and Configuration' => '<strong>Definições</strong> e Configuração',
|
||||
'<strong>User</strong> administration' => 'Administração de <strong>Usuário</strong>',
|
||||
'<strong>Warning:</strong> All individual profile permission settings are reset to the default values!' => '<strong>Aviso:</strong> Todas as configurações de permissão de perfil individual são redefinidas para os valores padrão!',
|
||||
'About the account request for \'{displayName}\'.' => 'Sobre a solicitação de conta para \'{displayName}\'.',
|
||||
'Accept user: <strong>{displayName}</strong> ' => 'Aceitar usuário: <strong>{displayName}</strong>',
|
||||
'Account' => 'Conta',
|
||||
'Account Request for \'{displayName}\' has been approved.' => 'Pedido de cadastro de \'{displayName}\' foi aprovado.',
|
||||
'Account Request for \'{displayName}\' has been declined.' => 'Pedido de cadastro de \'{displayName}\' foi recusado.',
|
||||
'Actions' => 'Ações',
|
||||
'Active users' => 'Usuários ativos',
|
||||
'Add Groups...' => 'Adicionar Grupos...',
|
||||
'Add new category' => 'Adicionar nova categoria',
|
||||
'Add new field' => 'Adicionar novo campo',
|
||||
'Add new group' => 'Adicionar novo grupo',
|
||||
'Add new members...' => 'Adicionar novos membros...',
|
||||
'Add new user' => 'Adicionar novo usuário',
|
||||
'Administrator group could not be deleted!' => 'Não foi possível excluir o grupo de administradores!',
|
||||
'All existing Profile Topics will be converted to Global Topics.' => 'Todos os Tópicos de Perfil existentes serão convertidos em Tópicos Globais.',
|
||||
'All open registration invitations were successfully deleted.' => 'Todos os convites de inscrição abertos foram excluídos com sucesso.',
|
||||
'All open registration invitations were successfully re-sent.' => 'Todos os convites abertos para inscrição foram reenviados com sucesso.',
|
||||
'All the personal data of this user will be irrevocably deleted.' => 'Todos os dados pessoais deste usuário serão irrevogavelmente excluídos.',
|
||||
'Allow' => 'Permitir',
|
||||
'Allow individual topics on profiles' => 'Permitir tópicos individuais em perfis',
|
||||
'Allow users to block each other' => 'Permitir que os usuários bloqueiem uns aos outros',
|
||||
'Allow users to set individual permissions for their own profile?' => 'Permitir que os usuários definam permissões individuais para seus próprios perfis?',
|
||||
'Allow visitors limited access to content without an account (Adds visibility: "Guest")' => 'Permitir acesso limitado para usuários não autenticados (convidados)',
|
||||
'Applied to new or existing users without any other group membership.' => 'Aplicado a usuários novos ou existentes sem qualquer outra associação de grupo.',
|
||||
'Apply' => 'Aplicar',
|
||||
'Approve' => 'Aprovar',
|
||||
'Approve all selected' => 'Aprovar todos os selecionados',
|
||||
'Are you really sure that you want to disable this user?' => 'Tem certeza de que deseja desabilitar esse usuário?',
|
||||
'Are you really sure that you want to enable this user?' => 'Você tem certeza de que deseja habilitar esse usuário?',
|
||||
'Are you really sure that you want to impersonate this user?' => 'Você tem certeza de que deseja se passar por esse usuário?',
|
||||
'Are you really sure? The selected users will be approved and notified by e-mail.' => 'Você tem certeza? Os usuários selecionados serão aprovados e notificados por e-mail.',
|
||||
'Are you really sure? The selected users will be deleted and notified by e-mail.' => 'Você tem certeza? Os usuários selecionados serão excluídos e notificados por e-mail.',
|
||||
'Are you really sure? The selected users will be notified by e-mail.' => 'Você tem certeza mesmo? Os usuários selecionados serão notificados por e-mail.',
|
||||
'Are you really sure? Users who are not assigned to another group are automatically assigned to the default group.' => 'Tem certeza mesmo? Os usuários que não estão atribuídos a outro grupo são atribuídos automaticamente ao grupo padrão.',
|
||||
'Are you sure that you want to delete following user?' => 'Tem certeza de que deseja excluir o seguinte usuário?',
|
||||
'Cancel' => 'Cancelar',
|
||||
'Cannot resend invitation email!' => 'Não é possível reenviar o e-mail de convite!',
|
||||
'Click here to review' => 'Clique aqui para rever',
|
||||
'Confirm user deletion' => 'Confirmar exclusão de usuário',
|
||||
'Convert' => 'Converter',
|
||||
'Convert Profile Topics' => 'Converter tópicos de perfil',
|
||||
'Could not approve the user!' => 'Não foi possível aprovar o usuário!',
|
||||
'Could not decline the user!' => 'Não foi possível recusar o usuário!',
|
||||
'Could not load category.' => 'Não foi possível carregar a categoria.',
|
||||
'Could not send the message to the user!' => 'Não foi possível enviar a mensagem ao usuário!',
|
||||
'Create new group' => 'Criar novo grupo',
|
||||
'Create new profile category' => 'Criar nova categoria de perfil',
|
||||
'Create new profile field' => 'Criar novo campo de perfil',
|
||||
'Deactivate individual profile permissions?' => 'Desativar permissões de perfis individuais?',
|
||||
'Decline' => 'Recusar',
|
||||
'Decline & delete user: <strong>{displayName}</strong>' => 'Recusar e excluir o usuário: <strong>{displayName}</strong>',
|
||||
'Decline all selected' => 'Recusar todos os selecionados',
|
||||
'Default' => 'Padrão',
|
||||
'Default Profile Permissions' => 'Permissões de perfil padrão',
|
||||
'Default Sorting' => 'Classificação padrão',
|
||||
'Default content of the email when sending a message to the user' => 'Conteúdo padrão do e-mail ao enviar uma mensagem ao usuário',
|
||||
'Default content of the registration approval email' => 'Conteúdo padrão do e-mail de aprovação de registro',
|
||||
'Default content of the registration denial email' => 'Conteúdo padrão do e-mail de negação de registro',
|
||||
'Default group can not be deleted!' => 'O grupo padrão não pode ser excluído!',
|
||||
'Default user idle timeout, auto-logout (in seconds, optional)' => 'Tempo limite de inatividade do usuário padrão, logout automático (em segundos, opcional)',
|
||||
'Default user profile visibility' => 'Visibilidade padrão do perfil do usuário',
|
||||
'Delete' => 'Excluir',
|
||||
'Delete All' => 'Excluir tudo',
|
||||
'Delete all contributions of this user' => 'Excluir todas as contribuições deste usuário',
|
||||
'Delete invitation' => 'Excluir convite',
|
||||
'Delete invitation?' => 'Excluir convite?',
|
||||
'Delete pending registrations?' => 'Excluir registros pendentes?',
|
||||
'Delete spaces which are owned by this user' => 'Excluir espaços pertencentes a esse usuário',
|
||||
'Deleted' => 'Excluído',
|
||||
'Deleted invitation' => 'Convite excluído',
|
||||
'Deleted users' => 'Usuários excluídos',
|
||||
'Disable' => 'Desabilitar',
|
||||
'Disabled' => 'Desabilitado',
|
||||
'Disabled users' => 'Usuários desabilitados',
|
||||
'Do not change placeholders like {displayName} if you want them to be automatically filled by the system. To reset the email content fields with the system default, leave them empty.' => 'Não altere espaços reservados como {displayName} se você quer que eles sejam automaticamente preenchidos pelo sistema. Para redefinir o conteúdo de campos de e-mail para o padrão do sistema, deixe-os em branco.',
|
||||
'Do you really want to delete pending registrations?' => 'Você realmente deseja excluir os registros pendentes?',
|
||||
'Do you really want to re-send the invitations to pending registration users?' => 'Você realmente deseja reenviar os convites para usuários com registro pendente?',
|
||||
'Edit' => 'Editar',
|
||||
'Edit category' => 'Editar categoria',
|
||||
'Edit profile category' => 'Editar categoria de perfil',
|
||||
'Edit profile field' => 'Editar campo de perfil',
|
||||
'Edit user: {name}' => 'Editar usuário: {name}',
|
||||
'Email all selected' => 'Enviar e-mail para todos os selecionados',
|
||||
'Enable' => 'Habilitar',
|
||||
'Enable individual profile permissions' => 'Ativar permissões de perfil individual',
|
||||
'Enabled' => 'Habilitado',
|
||||
'First name' => 'Primeiro nome',
|
||||
'Group Manager' => 'Gerente do Grupo',
|
||||
'Group not found!' => 'Grupo não encontrado!',
|
||||
'Group user not found!' => 'Usuário de Grupo não encontrado!',
|
||||
'Groups' => 'Grupos',
|
||||
'Hello {displayName},
|
||||
|
||||
Your account creation is under review.
|
||||
Could you tell us the motivation behind your registration?
|
||||
@ -101,7 +105,7 @@ Kind Regards
|
||||
{AdminName}
|
||||
|
||||
' => 'Olá {displayName}, A criação da sua conta está sob revisão. Você poderia nos contar a motivação por trás do seu registro? Atenciosamente, {AdminName}',
|
||||
'Hello {displayName},
|
||||
'Hello {displayName},
|
||||
|
||||
Your account has been activated.
|
||||
|
||||
@ -113,7 +117,7 @@ Kind Regards
|
||||
|
||||
' => 'Olá {displayName}, sua conta foi ativada. Clique aqui para fazer login: {loginUrl}
|
||||
Atenciosamente, {AdminName}',
|
||||
'Hello {displayName},
|
||||
'Hello {displayName},
|
||||
|
||||
Your account request has been declined.
|
||||
|
||||
@ -122,110 +126,105 @@ Kind Regards
|
||||
|
||||
' => 'Olá {displayName}, Sua solicitação de conta foi recusada.
|
||||
Atenciosamente, {AdminName}',
|
||||
'Here you can create or edit profile categories and fields.' => 'Aqui você pode criar ou editar categorias e campo de perfil.',
|
||||
'Hide online status of users' => 'Ocultar status online dos usuários',
|
||||
'If enabled, the Group Manager will need to approve registration.' => 'Se habilitado, o gerente do grupo precisará aprovar o registro.',
|
||||
'If individual profile permissions are not allowed, the following settings are unchangeable for all users. If individual profile permissions are allowed, the settings are only set as defaults that users can customise. The following entries are then displayed in the same form in the users profile settings:' => 'Se as permissões de perfil individual não forem permitidas, as configurações a seguir não podem ser alteradas para todos os usuários. Se as permissões de perfil individual forem permitidas, as configurações serão definidas apenas como padrões que os usuários podem personalizar. As seguintes entradas são exibidas da mesma forma nas configurações do perfil do usuário:',
|
||||
'If this option is not selected, the ownership of the spaces will be transferred to your account.' => 'Se esta opção não estiver selecionada, a propriedade dos espaços será transferida para sua conta.',
|
||||
'Impersonate' => 'Representar',
|
||||
'Information 1' => 'Informação 1',
|
||||
'Information 2' => 'Informação 2',
|
||||
'Information 3' => 'Informação 3',
|
||||
'Invisible' => 'Invisível',
|
||||
'Invite new people' => 'Convidar novas pessoas',
|
||||
'Invite not found!' => 'Convite não encontrado!',
|
||||
'Last login' => 'Último acesso',
|
||||
'Last name' => 'Último nome',
|
||||
'List pending registrations' => 'Listar registros pendentes',
|
||||
'Make the group selectable at registration.' => 'Torne o grupo selecionável no momento do registro.',
|
||||
'Manage group: {groupName}' => 'Gerenciar grupo: {groupName}',
|
||||
'Manage groups' => 'Gerenciar grupos',
|
||||
'Manage profile attributes' => 'Gerenciar atributos de perfil',
|
||||
'Member since' => 'Membro desde',
|
||||
'Members' => 'Membros',
|
||||
'Members can invite external users by email' => 'Membros podem convidar usuários externos por e-mail',
|
||||
'Members can invite external users by link' => 'Os membros podem convidar usuários externos por link',
|
||||
'Message' => 'Mensagem',
|
||||
'New approval requests' => 'Novas solicitações de aprovação',
|
||||
'New users can register' => 'Usuários anônimos podem se registrar',
|
||||
'No' => 'Não',
|
||||
'No users were selected.' => 'Nenhum usuário foi selecionado.',
|
||||
'No value found!' => 'Nenhum valor encontrado!',
|
||||
'None' => 'Nenhum',
|
||||
'Not visible' => 'Não visível',
|
||||
'One or more user needs your approval as group admin.' => 'Um ou mais usuários necessitam da sua aprovação como administrador de grupo.',
|
||||
'Only applicable when limited access for non-authenticated users is enabled. Only affects new users.' => 'Apenas aplicável quando o acesso limitado para usuários não-autenticados está habilitado. Afeta apenas novos usuários.',
|
||||
'Overview' => 'Visão Global',
|
||||
'Password' => 'Senha',
|
||||
'Pending approvals' => 'Aprovações pendentes',
|
||||
'Pending user approvals' => 'Aprovações de usuários pendentes',
|
||||
'People' => 'Pessoas',
|
||||
'Permanently delete' => 'Excluir permanentemente',
|
||||
'Permissions' => 'Permissões',
|
||||
'Post-registration approval required' => 'É necessária aprovação pós-registro',
|
||||
'Prioritised User Group' => 'Grupo de usuários priorizado',
|
||||
'Profile Permissions' => 'Permissões de perfil',
|
||||
'Profiles' => 'Perfis',
|
||||
'Protected' => 'Protegido',
|
||||
'Protected group can not be deleted!' => 'O grupo protegido não pode ser excluído!',
|
||||
'Re-send to all' => 'Reenviar para todos',
|
||||
'Remove from group' => 'Remover do grupo',
|
||||
'Resend invitation email' => 'Reenvie o email de convite',
|
||||
'Resend invitation?' => 'Reenviar convite?',
|
||||
'Resend invitations?' => 'Reenviar convites?',
|
||||
'Save' => 'Salvar',
|
||||
'Search by name, email or id.' => 'Pesquise por nome, email ou id.',
|
||||
'Select Groups' => 'Selecionar Grupos',
|
||||
'Select a prioritised group whose members are displayed before all others when the sorting option \'Default\' is selected. The users within the group and the users outside the group are additionally sorted by their last login.' => 'Selecione um grupo priorizado cujos membros são exibidos antes de todos os outros quando a opção de classificação \'Padrão\' é selecionada. Os usuários dentro do grupo e os usuários fora do grupo também são classificados por seu último login.',
|
||||
'Select the profile fields you want to add as columns' => 'Selecione os campos de perfil que deseja adicionar como colunas',
|
||||
'Select which user information should be displayed in the \'People\' overview. You can select any profile fields, even those you have created individually. ' => 'Selecione quais informações do usuário devem ser exibidas na visão geral \'Pessoas\'. Você pode selecionar qualquer campo de perfil, mesmo aqueles que você criou individualmente.',
|
||||
'Send' => 'Enviar',
|
||||
'Send & decline' => 'Enviar e recusar',
|
||||
'Send & save' => 'Enviar e salvar',
|
||||
'Send a message' => 'Enviar uma mensagem',
|
||||
'Send a message to <strong>{displayName}</strong> ' => 'Enviar uma mensagem para <strong>{displayName}</strong>',
|
||||
'Send invitation email' => 'Enviar email de convite',
|
||||
'Send invitation email again?' => 'Enviar email de convite novamente?',
|
||||
'Send notifications to users when added to or removed from the group.' => 'Envie notificações aos usuários quando forem adicionados ou removidos do grupo.',
|
||||
'Settings' => 'Configurações',
|
||||
'Show group selection at registration' => 'Mostrar seleção de grupo no registro',
|
||||
'Subject' => 'Assunto',
|
||||
'The Space memberships of all group members will be updated. This may take up to several minutes.' => 'As associações ao Espaço de todos os membros do grupo serão atualizadas. Isso pode levar vários minutos.',
|
||||
'The following list contains all pending sign-ups and invites.' => 'A lista a seguir contem todos os cadastros e convites pendentes.',
|
||||
'The following list contains all registered users awaiting an approval.' => 'A lista a seguir contém todos os usuários registrados que aguardam uma aprovação.',
|
||||
'The message has been sent by email.' => 'A mensagem foi enviada por e-mail.',
|
||||
'The registration was approved and the user was notified by email.' => 'O cadastro foi aprovado e o usuário foi notificado por e-mail.',
|
||||
'The registration was declined and the user was notified by email.' => 'O registro foi recusado e o usuário foi notificado por e-mail.',
|
||||
'The registrations were approved and the users were notified by email.' => 'Os cadastros foram aprovados e os usuários foram notificados por e-mail.',
|
||||
'The registrations were declined and the users were notified by email.' => 'Os registros foram recusados e os usuários foram notificados por e-mail.',
|
||||
'The selected invitations have been successfully deleted!' => 'Os convites selecionados foram excluídos com sucesso!',
|
||||
'The selected invitations have been successfully re-sent!' => 'Os convites selecionados foram reenviados com sucesso!',
|
||||
'The user cannot be removed from this Group!' => 'O usuário não pode ser removido deste Grupo!',
|
||||
'The user cannot be removed from this Group, as users are required to be assigned to at least one Group.' => 'O usuário não pode ser removido deste Grupo, pois os usuários precisam ser atribuídos a pelo menos um Grupo.',
|
||||
'The user is the owner of these spaces:' => 'O usuário é o proprietário desses espaços:',
|
||||
'The users were notified by email.' => 'Os usuários foram notificados por e-mail.',
|
||||
'This option allows you to determine whether users may set individual permissions for their own profiles.' => 'Esta opção permite determinar se os usuários podem definir permissões individuais para seus próprios perfis.',
|
||||
'This overview contains a list of each registered user with actions to view, edit and delete users.' => 'Esta visão geral contém uma lista de cada usuário registrado com ações para visualizar, editar e excluir usuários.',
|
||||
'This user owns no spaces.' => 'Este usuário não possui espaços.',
|
||||
'Unapproved' => 'Não aprovado',
|
||||
'User deletion process queued.' => 'Processo de exclusão do usuário enfileirado.',
|
||||
'User is already a member of this group.' => 'Usuário já é um membro desse grupo.',
|
||||
'User not found!' => 'Usuário não encontrado!',
|
||||
'Users can be assigned to different groups (e.g. teams, departments etc.) with specific standard spaces, group managers and permissions.' => 'Os usuários podem pertencer a diferentes grupos (p. ex. equipes, departamentos etc.) com normas específicas de espaço, gerentes de grupo e permissões.',
|
||||
'Using this option any contributions (e.g. contents, comments or likes) of this user will be irrevocably deleted.' => 'Usando essa opção, quaisquer contribuições (por exemplo, conteúdo, comentários ou curtidas) desse usuário serão irrevogavelmente excluídas.',
|
||||
'View profile' => 'Ver perfil',
|
||||
'Visible for members only' => 'Visível apenas para membros',
|
||||
'Visible for members+guests' => 'Vísivel para membros e visitantes',
|
||||
'Will be used as a filter in \'People\'.' => 'Será usado como filtro em \'Pessoas\'.',
|
||||
'Yes' => 'Sim',
|
||||
'You can only delete empty categories!' => 'Você só pode apagar categorias vazias!',
|
||||
'You cannot delete yourself!' => 'Você não pode se excluir!',
|
||||
'never' => 'nunca',
|
||||
'{nbMsgSent} already sent' => '{nbMsgSent} já enviado',
|
||||
'All existing Profile Topics will be converted to Global Topics.' => '',
|
||||
'Allow individual topics on profiles' => '',
|
||||
'Cannot resend invitation email!' => '',
|
||||
'Convert' => '',
|
||||
'Convert Profile Topics' => '',
|
||||
'The default user idle timeout is used when user session is idle for a certain time. The user is automatically logged out after this time.' => '',
|
||||
'Here you can create or edit profile categories and fields.' => 'Aqui você pode criar ou editar categorias e campo de perfil.',
|
||||
'Hide online status of users' => 'Ocultar status online dos usuários',
|
||||
'If enabled, the Group Manager will need to approve registration.' => 'Se habilitado, o gerente do grupo precisará aprovar o registro.',
|
||||
'If individual profile permissions are not allowed, the following settings are unchangeable for all users. If individual profile permissions are allowed, the settings are only set as defaults that users can customise. The following entries are then displayed in the same form in the users profile settings:' => 'Se as permissões de perfil individual não forem permitidas, as configurações a seguir não podem ser alteradas para todos os usuários. Se as permissões de perfil individual forem permitidas, as configurações serão definidas apenas como padrões que os usuários podem personalizar. As seguintes entradas são exibidas da mesma forma nas configurações do perfil do usuário:',
|
||||
'If this option is not selected, the ownership of the spaces will be transferred to your account.' => 'Se esta opção não estiver selecionada, a propriedade dos espaços será transferida para sua conta.',
|
||||
'Impersonate' => 'Representar',
|
||||
'Information 1' => 'Informação 1',
|
||||
'Information 2' => 'Informação 2',
|
||||
'Information 3' => 'Informação 3',
|
||||
'Invisible' => 'Invisível',
|
||||
'Invite new people' => 'Convidar novas pessoas',
|
||||
'Invite not found!' => 'Convite não encontrado!',
|
||||
'Last login' => 'Último acesso',
|
||||
'Last name' => 'Último nome',
|
||||
'List pending registrations' => 'Listar registros pendentes',
|
||||
'Make the group selectable at registration.' => 'Torne o grupo selecionável no momento do registro.',
|
||||
'Manage group: {groupName}' => 'Gerenciar grupo: {groupName}',
|
||||
'Manage groups' => 'Gerenciar grupos',
|
||||
'Manage profile attributes' => 'Gerenciar atributos de perfil',
|
||||
'Member since' => 'Membro desde',
|
||||
'Members' => 'Membros',
|
||||
'Members can invite external users by email' => 'Membros podem convidar usuários externos por e-mail',
|
||||
'Members can invite external users by link' => 'Os membros podem convidar usuários externos por link',
|
||||
'Message' => 'Mensagem',
|
||||
'New approval requests' => 'Novas solicitações de aprovação',
|
||||
'New users can register' => 'Usuários anônimos podem se registrar',
|
||||
'No' => 'Não',
|
||||
'No users were selected.' => 'Nenhum usuário foi selecionado.',
|
||||
'No value found!' => 'Nenhum valor encontrado!',
|
||||
'None' => 'Nenhum',
|
||||
'Not visible' => 'Não visível',
|
||||
'One or more user needs your approval as group admin.' => 'Um ou mais usuários necessitam da sua aprovação como administrador de grupo.',
|
||||
'Only applicable when limited access for non-authenticated users is enabled. Only affects new users.' => 'Apenas aplicável quando o acesso limitado para usuários não-autenticados está habilitado. Afeta apenas novos usuários.',
|
||||
'Overview' => 'Visão Global',
|
||||
'Password' => 'Senha',
|
||||
'Pending approvals' => 'Aprovações pendentes',
|
||||
'Pending user approvals' => 'Aprovações de usuários pendentes',
|
||||
'People' => 'Pessoas',
|
||||
'Permanently delete' => 'Excluir permanentemente',
|
||||
'Permissions' => 'Permissões',
|
||||
'Post-registration approval required' => 'É necessária aprovação pós-registro',
|
||||
'Prioritised User Group' => 'Grupo de usuários priorizado',
|
||||
'Profile Permissions' => 'Permissões de perfil',
|
||||
'Profiles' => 'Perfis',
|
||||
'Protected' => 'Protegido',
|
||||
'Protected group can not be deleted!' => 'O grupo protegido não pode ser excluído!',
|
||||
'Re-send to all' => 'Reenviar para todos',
|
||||
'Remove from group' => 'Remover do grupo',
|
||||
'Resend invitation email' => 'Reenvie o email de convite',
|
||||
'Resend invitation?' => 'Reenviar convite?',
|
||||
'Resend invitations?' => 'Reenviar convites?',
|
||||
'Save' => 'Salvar',
|
||||
'Search by name, email or id.' => 'Pesquise por nome, email ou id.',
|
||||
'Select Groups' => 'Selecionar Grupos',
|
||||
'Select a prioritised group whose members are displayed before all others when the sorting option \'Default\' is selected. The users within the group and the users outside the group are additionally sorted by their last login.' => 'Selecione um grupo priorizado cujos membros são exibidos antes de todos os outros quando a opção de classificação \'Padrão\' é selecionada. Os usuários dentro do grupo e os usuários fora do grupo também são classificados por seu último login.',
|
||||
'Select the profile fields you want to add as columns' => 'Selecione os campos de perfil que deseja adicionar como colunas',
|
||||
'Select which user information should be displayed in the \'People\' overview. You can select any profile fields, even those you have created individually. ' => 'Selecione quais informações do usuário devem ser exibidas na visão geral \'Pessoas\'. Você pode selecionar qualquer campo de perfil, mesmo aqueles que você criou individualmente.',
|
||||
'Send' => 'Enviar',
|
||||
'Send & decline' => 'Enviar e recusar',
|
||||
'Send & save' => 'Enviar e salvar',
|
||||
'Send a message' => 'Enviar uma mensagem',
|
||||
'Send a message to <strong>{displayName}</strong> ' => 'Enviar uma mensagem para <strong>{displayName}</strong>',
|
||||
'Send invitation email' => 'Enviar email de convite',
|
||||
'Send invitation email again?' => 'Enviar email de convite novamente?',
|
||||
'Send notifications to users when added to or removed from the group.' => 'Envie notificações aos usuários quando forem adicionados ou removidos do grupo.',
|
||||
'Settings' => 'Configurações',
|
||||
'Show group selection at registration' => 'Mostrar seleção de grupo no registro',
|
||||
'Subject' => 'Assunto',
|
||||
'The Space memberships of all group members will be updated. This may take up to several minutes.' => 'As associações ao Espaço de todos os membros do grupo serão atualizadas. Isso pode levar vários minutos.',
|
||||
'The default user idle timeout is used when user session is idle for a certain time. The user is automatically logged out after this time.' => 'O tempo limite de inatividade do usuário padrão é usado quando a sessão do usuário fica inativa por um certo tempo. O usuário é desconectado automaticamente após esse tempo.',
|
||||
'The following list contains all pending sign-ups and invites.' => 'A lista a seguir contem todos os cadastros e convites pendentes.',
|
||||
'The following list contains all registered users awaiting an approval.' => 'A lista a seguir contém todos os usuários registrados que aguardam uma aprovação.',
|
||||
'The message has been sent by email.' => 'A mensagem foi enviada por e-mail.',
|
||||
'The registration was approved and the user was notified by email.' => 'O cadastro foi aprovado e o usuário foi notificado por e-mail.',
|
||||
'The registration was declined and the user was notified by email.' => 'O registro foi recusado e o usuário foi notificado por e-mail.',
|
||||
'The registrations were approved and the users were notified by email.' => 'Os cadastros foram aprovados e os usuários foram notificados por e-mail.',
|
||||
'The registrations were declined and the users were notified by email.' => 'Os registros foram recusados e os usuários foram notificados por e-mail.',
|
||||
'The selected invitations have been successfully deleted!' => 'Os convites selecionados foram excluídos com sucesso!',
|
||||
'The selected invitations have been successfully re-sent!' => 'Os convites selecionados foram reenviados com sucesso!',
|
||||
'The user cannot be removed from this Group!' => 'O usuário não pode ser removido deste Grupo!',
|
||||
'The user cannot be removed from this Group, as users are required to be assigned to at least one Group.' => 'O usuário não pode ser removido deste Grupo, pois os usuários precisam ser atribuídos a pelo menos um Grupo.',
|
||||
'The user is the owner of these spaces:' => 'O usuário é o proprietário desses espaços:',
|
||||
'The users were notified by email.' => 'Os usuários foram notificados por e-mail.',
|
||||
'This option allows you to determine whether users may set individual permissions for their own profiles.' => 'Esta opção permite determinar se os usuários podem definir permissões individuais para seus próprios perfis.',
|
||||
'This overview contains a list of each registered user with actions to view, edit and delete users.' => 'Esta visão geral contém uma lista de cada usuário registrado com ações para visualizar, editar e excluir usuários.',
|
||||
'This user owns no spaces.' => 'Este usuário não possui espaços.',
|
||||
'Unapproved' => 'Não aprovado',
|
||||
'User deletion process queued.' => 'Processo de exclusão do usuário enfileirado.',
|
||||
'User is already a member of this group.' => 'Usuário já é um membro desse grupo.',
|
||||
'User not found!' => 'Usuário não encontrado!',
|
||||
'Users can be assigned to different groups (e.g. teams, departments etc.) with specific standard spaces, group managers and permissions.' => 'Os usuários podem pertencer a diferentes grupos (p. ex. equipes, departamentos etc.) com normas específicas de espaço, gerentes de grupo e permissões.',
|
||||
'Using this option any contributions (e.g. contents, comments or likes) of this user will be irrevocably deleted.' => 'Usando essa opção, quaisquer contribuições (por exemplo, conteúdo, comentários ou curtidas) desse usuário serão irrevogavelmente excluídas.',
|
||||
'View profile' => 'Ver perfil',
|
||||
'Visible for members only' => 'Visível apenas para membros',
|
||||
'Visible for members+guests' => 'Vísivel para membros e visitantes',
|
||||
'Will be used as a filter in \'People\'.' => 'Será usado como filtro em \'Pessoas\'.',
|
||||
'Yes' => 'Sim',
|
||||
'You can only delete empty categories!' => 'Você só pode apagar categorias vazias!',
|
||||
'You cannot delete yourself!' => 'Você não pode se excluir!',
|
||||
'never' => 'nunca',
|
||||
'{nbMsgSent} already sent' => '{nbMsgSent} já enviado',
|
||||
];
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Informação de Administração de Acessos',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Poder aceder à secção \'Administração -> Informação\'.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Poder gerir módulos dentro da secção \'Administração -> Módulos\'.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Poder gerir espaços (criar/editar/apagar) dentro da secção \'Administração -> Espaços\'.',
|
||||
'Can manage general settings.' => 'Poder gerir definições gerais, de utilização, e de espaço.',
|
||||
'Can manage users and groups' => 'Poder gerir pessoas e grupos',
|
||||
'Can manage users and user profiles.' => 'Poder gerir pessoas e perfis.',
|
||||
'Manage Groups' => 'Gerir Grupos',
|
||||
'Manage Modules' => 'Gerir Módulos',
|
||||
'Manage Settings' => 'Gerir Definições',
|
||||
'Manage Spaces' => 'Gerir Espaços',
|
||||
'Manage Users' => 'Gerir Pessoas',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Informação de Administração de Acessos',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Poder aceder à secção \'Administração -> Informação\'.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Poder gerir espaços (criar/editar/apagar) dentro da secção \'Administração -> Espaços\'.',
|
||||
'Can manage general settings.' => 'Poder gerir definições gerais, de utilização, e de espaço.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Poder gerir módulos dentro da secção \'Administração -> Módulos\'.',
|
||||
'Can manage users and groups' => 'Poder gerir pessoas e grupos',
|
||||
'Can manage users and user profiles.' => 'Poder gerir pessoas e perfis.',
|
||||
'Manage Groups' => 'Gerir Grupos',
|
||||
'Manage Modules' => 'Gerir Módulos',
|
||||
'Manage Settings' => 'Gerir Definições',
|
||||
'Manage Spaces' => 'Gerir Espaços',
|
||||
'Manage Users' => 'Gerir Pessoas',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -1,29 +1,15 @@
|
||||
<?php
|
||||
/**
|
||||
* Message translations.
|
||||
*
|
||||
* This file is automatically generated by 'yii message/extract' command.
|
||||
* It contains the localizable messages extracted from source code.
|
||||
* You may modify this file by translating the extracted messages.
|
||||
*
|
||||
* Each array element represents the translation (value) of a message (key).
|
||||
* If the value is empty, the message is considered as not translated.
|
||||
* Messages that no longer need translation will have their translations
|
||||
* enclosed between a pair of '@@' marks.
|
||||
*
|
||||
* Message string can be used with plural forms format. Check i18n section
|
||||
* of the guide for details.
|
||||
*
|
||||
* NOTE: this file must be saved in UTF-8 encoding.
|
||||
*/
|
||||
|
||||
return [
|
||||
'Access Admin Information' => '',
|
||||
'Can access the \'Administration -> Information\' section.' => '',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => '',
|
||||
'Can manage general settings.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Can manage users and groups' => '',
|
||||
'Can manage users and user profiles.' => '',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => '',
|
||||
'Manage All Content' => '',
|
||||
'Manage Groups' => '',
|
||||
'Manage Modules' => '',
|
||||
'Manage Settings' => '',
|
||||
|
@ -1,17 +1,17 @@
|
||||
<?php
|
||||
<?php /* Translated by Paul (https://paul.bid) www.paul.bid@gmail.com */
|
||||
return [
|
||||
'<strong>Administration</strong> menu' => '<strong>Панель Управления</strong>',
|
||||
'<strong>Maintenance</strong> Mode' => '<strong>Режим</strong> Технического обслуживания',
|
||||
'<strong>Module</strong> administration' => '<strong>Администрирование модуля</strong>',
|
||||
'<strong>Warning</strong> incomplete setup!' => '<strong>Предупреждение</strong> настройка не завершена!',
|
||||
'<strong>Module</strong> administration' => '<strong>Панель Управления</strong> Модулями',
|
||||
'<strong>Warning</strong> incomplete setup!' => '<strong>Предупреждение:</strong> настройка не завершена!',
|
||||
'About' => 'Информация',
|
||||
'Active Modules' => 'Активные модули',
|
||||
'Add more modules' => 'Добавить больше модулей',
|
||||
'Add more modules' => 'Добавьте больше модулей',
|
||||
'Admin' => 'Администратор',
|
||||
'Administration' => 'Панель Управления',
|
||||
'Administrative group' => 'Административная группа',
|
||||
'Administrators' => 'Администраторы',
|
||||
'Advanced' => 'Дополнительные',
|
||||
'Advanced' => 'Дополнительно',
|
||||
'Advanced settings' => 'Дополнительные настройки',
|
||||
'Appearance' => 'Внешний вид',
|
||||
'Approval' => 'Подтверждение',
|
||||
@ -19,64 +19,64 @@ return [
|
||||
'Back to overview' => 'Вернуться',
|
||||
'Back to user overview' => 'Вернуться к списку пользователей',
|
||||
'Basic' => 'Основные',
|
||||
'Caching' => 'Кеширование',
|
||||
'Caching' => 'Кэширование',
|
||||
'Configure' => 'Настройки',
|
||||
'Cronjobs' => 'Задания Cron',
|
||||
'Cronjobs' => 'Задания cron',
|
||||
'Default' => 'По умолчанию',
|
||||
'Default group for administrators of this HumHub Installation' => 'Группа по умолчанию для администраторов этой установки HumHub',
|
||||
'Default group for all newly registered users of the network' => 'Группа по умолчанию для всех вновь зарегистрированных пользователей сети',
|
||||
'Default group for all newly registered users of the network' => 'Группа по умолчанию для всех вновь зарегистрированных пользователей сайта',
|
||||
'Delete all' => 'Удалить все',
|
||||
'Delete selected rows' => 'Удаление выбранных строк',
|
||||
'Design' => 'Дизайн',
|
||||
'Disable' => 'Деактивировать',
|
||||
'Enable' => 'Активировать',
|
||||
'Enable module...' => 'Подключение модуля ...',
|
||||
'Enable module...' => 'Включить модуль...',
|
||||
'Files' => 'Файлы',
|
||||
'General' => 'Общие',
|
||||
'Groups' => 'Группы',
|
||||
'Groups (Note: The Administrator group of this user can\'t be managed with your permissions)' => 'Группы (Примечание: Группа администраторов этого пользователя не может быть изменена с Вашим уровнем доступа)',
|
||||
'Groups (Note: The Administrator group of this user can\'t be managed with your permissions)' => 'Группы (примечание: группа администраторов этого пользователя не может быть изменена с вашим уровнем прав управления)',
|
||||
'Inactive Modules' => 'Неактивные модули',
|
||||
'Information' => 'Информация',
|
||||
'Install Updates' => 'Установить обновления',
|
||||
'Invalid user state: {state}' => 'Некорректный статус пользователя: {state}',
|
||||
'Invalid user state: {state}' => 'Недопустимый статус пользователя: {state}',
|
||||
'Invite by email' => 'Пригласить с помощью электронной почты',
|
||||
'Invite by link' => 'Пригласить по ссылке',
|
||||
'Invite by link' => 'Пригласить с помощью специальной ссылки',
|
||||
'Invited by' => 'Приглашен(ы)',
|
||||
'Keep your system up-to-date and benefit from the latest improvements.' => 'Поддерживайте свою систему в актуальном состоянии и воспользуйтесь преимуществами последних улучшений.',
|
||||
'Logging' => 'Логгирование',
|
||||
'Keep your system up-to-date and benefit from the latest improvements.' => 'Поддерживайте свою систему в актуальном состоянии и пользуйтесь недавними улучшениями.',
|
||||
'Logging' => 'Логирование',
|
||||
'Logs' => 'Логи',
|
||||
'Mailing' => 'Почта',
|
||||
'Modules' => 'Модули',
|
||||
'No modules installed yet. Install some to enhance the functionality!' => 'Ни один из модулей не установлен. Установите необходимые модули для расширения функциональности.',
|
||||
'No modules installed yet. Install some to enhance the functionality!' => 'Ни один из модулей не установлен. Установите необходимые модули для расширения функциональности!',
|
||||
'Notifications' => 'Уведомления',
|
||||
'OEmbed' => 'OEmbed',
|
||||
'OEmbed providers' => 'Провайдеры OEmbed',
|
||||
'OEmbed' => 'oEmbed',
|
||||
'OEmbed providers' => 'Провайдеры oEmbed',
|
||||
'Open documentation' => 'Открыть документацию',
|
||||
'Pending user registrations' => 'Пользователи ожидающие подтверждения',
|
||||
'Pending user registrations' => 'Пользователи ожидающие подтверждения регистрации',
|
||||
'People' => 'Люди',
|
||||
'Permissions' => 'Доступ',
|
||||
'Permissions' => 'Права',
|
||||
'Proxy' => 'Прокси',
|
||||
'Resend to all' => '',
|
||||
'Resend to selected rows' => '',
|
||||
'Resend to all' => 'Повторно отправить всем',
|
||||
'Resend to selected rows' => 'Повторно отправить выделенным',
|
||||
'Self test' => 'Самопроверка',
|
||||
'Set as default' => 'Режим работы',
|
||||
'Set as default' => 'Установить по умолчанию',
|
||||
'Settings' => 'Настройки',
|
||||
'Show in Marketplace' => 'Показать на торговой площадке',
|
||||
'Show in Marketplace' => 'Посмотреть в Маркетплейсе',
|
||||
'Sign up' => 'Зарегистрироваться',
|
||||
'Spaces' => 'Сообщества',
|
||||
'Statistics' => 'Статистика',
|
||||
'The cron job for the background jobs (queue) does not seem to work properly.' => 'Расписание cron для фоновых задач (queue) не работает должным образом.',
|
||||
'The cron job for the regular tasks (cron) does not seem to work properly.' => 'Расписание cron для обычных задач (cron) не работает должным образом.',
|
||||
'The mobile app push service is not available. Please install and configure the "Push Notifications" module.' => '',
|
||||
'This overview shows you all installed modules and allows you to enable, disable, configure and of course uninstall them. To discover new modules, take a look into our Marketplace. Please note that deactivating or uninstalling a module will result in the loss of any content that was created with that module.' => 'В этом обзоре показаны все установленные модули и вы можете включать, отключать, настраивать и, конечно же, удалять их. Чтобы открыть для себя новые модули, загляните на нашу торговую площадку. Обратите внимание, что деактивация или удаление модуля приведет к потере всего контента, созданного с помощью этого модуля.',
|
||||
'The mobile app push service is not available. Please install and configure the "Push Notifications" module.' => 'Служба push-уведомлений мобильного приложения недоступна. Установите и настройте модуль «Push Уведомления» («Push Notifications»).',
|
||||
'This overview shows you all installed modules and allows you to enable, disable, configure and of course uninstall them. To discover new modules, take a look into our Marketplace. Please note that deactivating or uninstalling a module will result in the loss of any content that was created with that module.' => 'Этот раздел показывает все установленные модули и позволяет включать, выключать, настраивать и, конечно же, удалять их. Чтобы ознакомиться с новыми модулями, загляните в наш Маркетплейс. Обратите внимание, что деактивация или удаление модуля приведёт к потере любого содержимого, созданного с помощью этого модуля.',
|
||||
'Topics' => 'Темы',
|
||||
'Uninstall' => 'Удалить',
|
||||
'Updates available for {count} of your modules' => 'Доступны обновления для {count} ваших модулей.',
|
||||
'Updates available for {count} of your modules' => 'Доступны обновления для ваших модулей в количестве: {count}',
|
||||
'User not found!' => 'Пользователь не найден!',
|
||||
'Userprofiles' => 'Профили пользователей',
|
||||
'Users' => 'Пользователи',
|
||||
'Version' => 'Версия',
|
||||
'Visit Marketplace' => 'Посетите торговую площадку',
|
||||
'You do not have the permission to configure modules. Please contact the administrator for further information.' => 'У вас нет разрешения на настройку модулей. Пожалуйста, свяжитесь с администратором для получения дополнительной информации.',
|
||||
'You do not have the permission to manage modules. Please contact the administrator for further information.' => 'У вас нет разрешения на управление модулями. Пожалуйста, свяжитесь с администратором для получения дополнительной информации.',
|
||||
'Visit Marketplace' => 'Посетить Маркетплейс',
|
||||
'You do not have the permission to configure modules. Please contact the administrator for further information.' => 'У вас нет прав для настройки модулей. Пожалуйста, свяжитесь с администратором для получения дополнительной информации по этому вопросу.',
|
||||
'You do not have the permission to manage modules. Please contact the administrator for further information.' => 'У вас нет прав на для управления модулями. Пожалуйста, свяжитесь с администратором для получения дополнительной информации по этому вопросу.',
|
||||
];
|
||||
|
@ -1,30 +1,9 @@
|
||||
<?php
|
||||
/**
|
||||
* Translation: Paul (https://paul.bid) paulbid@protonmail.com
|
||||
*
|
||||
*/
|
||||
/**
|
||||
* Message translations.
|
||||
*
|
||||
* This file is automatically generated by 'yii message/extract' command.
|
||||
* It contains the localizable messages extracted from source code.
|
||||
* You may modify this file by translating the extracted messages.
|
||||
*
|
||||
* Each array element represents the translation (value) of a message (key).
|
||||
* If the value is empty, the message is considered as not translated.
|
||||
* Messages that no longer need translation will have their translations
|
||||
* enclosed between a pair of '@@' marks.
|
||||
*
|
||||
* Message string can be used with plural forms format. Check i18n section
|
||||
* of the guide for details.
|
||||
*
|
||||
* NOTE: this file must be saved in UTF-8 encoding.
|
||||
*/
|
||||
<?php /* Translated by Paul (https://paul.bid) www.paul.bid@gmail.com */
|
||||
return [
|
||||
'Module successfully disabled!' => 'Модуль успешно отключен!',
|
||||
'Module successfully enabled!' => 'Модуль успешно включен!',
|
||||
'--- Disable module: {moduleId} ---' => '--- Отключить модуль: {moduleId} ---',
|
||||
'--- Enable module: {moduleId} ---' => '--- Включить модуль: {moduleId} ---',
|
||||
'Module not found or activated!' => 'Модуль не найден или не активирован!',
|
||||
'Module not found!' => 'Модуль не найден!',
|
||||
'Module successfully disabled!' => 'Модуль успешно отключён!',
|
||||
'Module successfully enabled!' => 'Модуль успешно включён!',
|
||||
'--- Disable module: {moduleId} ---' => '--- Отключить модуль: {moduleId} ---',
|
||||
'--- Enable module: {moduleId} ---' => '--- Включить модуль: {moduleId} ---',
|
||||
'Module not found or activated!' => 'Модуль не найден или не включён!',
|
||||
'Module not found!' => 'Модуль не найден!',
|
||||
];
|
||||
|
@ -1,106 +1,105 @@
|
||||
<?php
|
||||
|
||||
<?php /* Translated by Paul (https://paul.bid) www.paul.bid@gmail.com */
|
||||
return [
|
||||
'"Push Notifications (Firebase)" module and setup of Firebase API Key required' => 'Требуется модуль "Push Notifications (Firebase)" и настройка API-ключа Firebase',
|
||||
'<strong>CronJob</strong> Status' => 'Статус <strong>CronJob</strong>',
|
||||
'<strong>Queue</strong> Status' => 'Статус <strong>Очереди</strong>',
|
||||
'About HumHub' => 'О HumHub',
|
||||
'Assets' => 'Ресурсы',
|
||||
'Background Jobs' => 'Фоновые задания',
|
||||
'Base URL' => 'Основной URL',
|
||||
'Checking HumHub software prerequisites.' => 'Проверка необходимого програмного обеспечения для сайта.',
|
||||
'Current limit is: {currentLimit}' => 'Текущий лимит: {currentLimit}',
|
||||
'Custom Modules ({modules})' => 'Пользовательские модули ({modules})',
|
||||
'Database' => 'База данных',
|
||||
'Database collation' => 'Параметры сортировки базы данных',
|
||||
'Database driver - {driver}' => 'Драйвер базы данных — {driver}',
|
||||
'Database migration results:' => 'Результаты миграции базы данных:',
|
||||
'Delayed' => 'Отложено',
|
||||
'Deprecated Modules ({modules})' => 'Устаревшие модули ({modules})',
|
||||
'Detected URL: {currentBaseUrl}' => 'Обнаруженный URL-адрес: {currentBaseUrl}',
|
||||
'Disabled Functions' => 'Отключенные функции',
|
||||
'Displaying {count} entries per page.' => 'Отображать {count} записей на странице.',
|
||||
'Done' => 'Выполнено',
|
||||
'Driver' => 'Драйвер',
|
||||
'Dynamic Config' => 'Динамическая конфигурация',
|
||||
'Error' => 'Ошибка',
|
||||
'Flush entries' => 'Очистить журнал',
|
||||
'HumHub' => 'HumHub',
|
||||
'HumHub Documentation' => 'Документация HumHub',
|
||||
'HumHub is currently in debug mode. Disable it when running on production!' => 'HumHub в данный момент находится в режиме отладки. Отключите его при работе на действующем проекте!',
|
||||
'ICU Data Version ({version})' => 'Версия данных ICU ({version})',
|
||||
'ICU Data {icuMinVersion} or higher is required' => 'Требуются данные ICU {icuMinVersion} или выше.',
|
||||
'ICU Version ({version})' => 'ICU версия ({version})',
|
||||
'ICU {icuMinVersion} or higher is required' => 'Требуется ICU {icuMinVersion} или выше.',
|
||||
'Increase memory limit in {fileName}' => 'Увеличьте лимит памяти в {fileName}',
|
||||
'Info' => 'Информация',
|
||||
'Install {phpExtension} Extension' => 'Установите расширение {phpExtension}',
|
||||
'Install {phpExtension} Extension for APC Caching' => 'Установите расширение {phpExtension} для кэширования APC.',
|
||||
'Install {phpExtension} Extension for e-mail S/MIME support.' => 'Установите расширение {phpExtension} для поддержки S/MIME электронной почты.',
|
||||
'Last run (daily):' => 'Последний запуск (ежедневный):',
|
||||
'Last run (hourly):' => 'Последный запуск (ежечасный):',
|
||||
'Licences' => 'Лицензии',
|
||||
'Logging' => 'Логирование',
|
||||
'Make sure that the `proc_open` function is not disabled.' => 'Убедитесь, что функция proc_open не отключена.',
|
||||
'Make {filePath} writable for the Webserver/PHP!' => 'Сделайте {filePath} доступным для записи для веб-сервера/PHP!',
|
||||
'Marketplace API Connection' => 'Подключение к API торговой площадки',
|
||||
'Memory Limit ({memoryLimit})' => 'Ограничение памяти ({memoryLimit})',
|
||||
'Minimum Version {minVersion}' => 'Минимальная версия {minVersion}',
|
||||
'Mobile App - Push Service' => 'Мобильное приложение - Push-сервис',
|
||||
'Module Directory' => 'Каталог модулей',
|
||||
'Multibyte String Functions' => 'Многобайтовые строковые функции',
|
||||
'Must be updated manually. Check compatibility with newer HumHub versions before updating.' => 'Должно быть обновлено вручную. Перед обновлением проверьте совместимость с новыми версиями HumHub.',
|
||||
'Never' => 'Никогда',
|
||||
'Optional' => 'Необязательный',
|
||||
'Other' => 'Прочее',
|
||||
'Outstanding database migrations:' => 'Оставшиеся миграции баз данных:',
|
||||
'Permissions' => 'Доступ',
|
||||
'Please refer to the documentation to setup the cronjobs and queue workers.' => 'Пожалуйста, обратитесь к документации для настройки CronJob и работы с очередями.',
|
||||
'Prerequisites' => 'Проверка требований',
|
||||
'Pretty URLs' => 'Красивые URL-адреса',
|
||||
'Profile Image' => 'Изображение профиля',
|
||||
'Queue successfully cleared.' => 'Очередь успешно очищена.',
|
||||
'Re-Run tests' => 'Перезапустить тест',
|
||||
'Recommended collation is {collation}' => 'Рекомендуемое сопоставление: {collation}.',
|
||||
'Recommended collation is {collation} for the tables: {tables}' => 'Рекомендуемая сортировка – {collation} для таблиц: {tables}.',
|
||||
'Recommended engine is {engine} for the tables: {tables}' => 'Рекомендуемый движок — {engine} для таблиц: {tables}.',
|
||||
'Refresh' => 'Обновить',
|
||||
'Reserved' => 'Зарезенвировано',
|
||||
'Runtime' => 'Время выполнения',
|
||||
'Search index rebuild in progress.' => 'Идёт перестроение поискового индекса.',
|
||||
'Search term...' => 'Искать термин...',
|
||||
'See installation manual for more details.' => 'Смотрите руководство по установке для более подробной информации.',
|
||||
'Select category..' => 'Выберите категорию..',
|
||||
'Select day' => 'Выберите день',
|
||||
'Select level...' => 'Выберите тип...',
|
||||
'Settings' => 'Настройки',
|
||||
'Supported drivers: {drivers}' => 'Поддерживаемые драйверы: {drivers}',
|
||||
'Table collations' => 'Параметры сортировки таблиц',
|
||||
'Table engines' => 'Табличные движки',
|
||||
'The current main HumHub database name is ' => 'Текущее имя основной базы данных HumHub:',
|
||||
'The module(s) are no longer maintained and should be uninstalled.' => 'Один или несколько модулей больше не поддерживаются и должны быть удалены.',
|
||||
'There is a new update available! (Latest version: %version%)' => 'Доступно новое обновление! (Последняя версия: %version%)',
|
||||
'This HumHub installation is up to date!' => 'Ваша версия HumHub актуальна (самая свежая)!',
|
||||
'Total {count} entries found.' => 'Всего найдено {count} записей.',
|
||||
'Trace' => 'След',
|
||||
'Update Database' => 'Обновить базу данных',
|
||||
'Uploads' => 'Загрузки',
|
||||
'Varying table engines are not supported.' => 'Различные механизмы таблиц не поддерживаются.',
|
||||
'Version' => 'Версия',
|
||||
'Waiting' => 'Ожидание',
|
||||
'Warning' => 'Предупреждение',
|
||||
'Your database is <b>up-to-date</b>.' => 'Ваша база данных <b>актуальна</b>.',
|
||||
'{imageExtension} Support' => 'Поддержка {imageExtension}',
|
||||
'{phpExtension} Extension' => 'Расширение {phpExtension}',
|
||||
'{phpExtension} Support' => 'Поддержка {phpExtension}',
|
||||
'Configuration File' => '',
|
||||
'Different table collations in the tables: {tables}' => '',
|
||||
'New migrations should be applied: {migrations}' => '',
|
||||
'No pending migrations' => '',
|
||||
'Rebuild search index' => '',
|
||||
'The configuration file contains legacy settings. Invalid options: {options}' => '',
|
||||
'Web Application PHP version: `{webPhpVersion}`, Cron PHP Version: `{cronPhpVersion}`' => '',
|
||||
'Web Application and Cron uses the same PHP version' => '',
|
||||
'Web Application and Cron uses the same user' => '',
|
||||
'Web Application user: `{webUser}`, Cron user: `{cronUser}`' => '',
|
||||
'"Push Notifications (Firebase)" module and setup of Firebase API Key required' => 'Требуется модуль «Push Уведомления (Firebase)» (Push Notifications (Firebase)) и настройка ключа для API Firebase',
|
||||
'<strong>CronJob</strong> Status' => '<strong>Статус CronJob</strong>',
|
||||
'<strong>Queue</strong> Status' => '<strong>Статус Очереди</strong>',
|
||||
'About HumHub' => 'О HumHub',
|
||||
'Assets' => 'Ресурсы',
|
||||
'Background Jobs' => 'Фоновые задания',
|
||||
'Base URL' => 'Основной URL',
|
||||
'Checking HumHub software prerequisites.' => 'Проверка необходимого программного обеспечения для сайта.',
|
||||
'Configuration File' => 'Файл конфигурации',
|
||||
'Current limit is: {currentLimit}' => 'Текущий лимит: {currentLimit}',
|
||||
'Custom Modules ({modules})' => 'Пользовательские модули ({modules})',
|
||||
'Database collation' => 'Сравнение базы данных',
|
||||
'Database driver - {driver}' => 'Драйвер базы данных — {driver}',
|
||||
'Database migration results:' => 'Результаты миграции базы данных:',
|
||||
'Database' => 'База данных',
|
||||
'Delayed' => 'Отложено',
|
||||
'Deprecated Modules ({modules})' => 'Устаревшие модули ({modules})',
|
||||
'Detected URL: {currentBaseUrl}' => 'Обнаруженный URL: {currentBaseUrl}',
|
||||
'Different table collations in the tables: {tables}' => 'Различные варианты cравнения таблиц в таблицах: {tables}',
|
||||
'Disabled Functions' => 'Отключённые функции',
|
||||
'Displaying {count} entries per page.' => 'Отображать {count} записей на странице.',
|
||||
'Done' => 'Выполнено',
|
||||
'Driver' => 'Драйвер',
|
||||
'Dynamic Config' => 'Динамическая конфигурация',
|
||||
'Error' => 'Ошибка',
|
||||
'Flush entries' => 'Очистить журнал',
|
||||
'HumHub Documentation' => 'Документация HumHub',
|
||||
'HumHub is currently in debug mode. Disable it when running on production!' => 'HumHub в данный момент находится в режиме отладки. Отключите режим отладки при работе на действующем проекте!',
|
||||
'HumHub' => 'HumHub',
|
||||
'ICU Data Version ({version})' => 'Версия данных ICU ({version})',
|
||||
'ICU Data {icuMinVersion} or higher is required' => 'Требуется версия данных ICU {icuMinVersion} или выше',
|
||||
'ICU Version ({version})' => 'Версия ICU ({version})',
|
||||
'ICU {icuMinVersion} or higher is required' => 'Требуется версия ICU {icuMinVersion} или выше',
|
||||
'Increase memory limit in {fileName}' => 'Увеличьте лимит памяти в {fileName}',
|
||||
'Info' => 'Информация',
|
||||
'Install {phpExtension} Extension for APC Caching' => 'Установите расширение {phpExtension} для кэширования APC',
|
||||
'Install {phpExtension} Extension for e-mail S/MIME support.' => 'Установите расширение {phpExtension} для поддержки S/MIME электронной почты.',
|
||||
'Install {phpExtension} Extension' => 'Установите расширение {phpExtension}',
|
||||
'Last run (daily):' => 'Последний запуск (ежедневный):',
|
||||
'Last run (hourly):' => 'Последний запуск (ежечасный):',
|
||||
'Licences' => 'Лицензии',
|
||||
'Logging' => 'Логирование',
|
||||
'Make sure that the `proc_open` function is not disabled.' => 'Убедитесь, что функция `proc_open` не отключена.',
|
||||
'Make {filePath} writable for the Webserver/PHP!' => 'Сделайте {filePath} доступным для записи на веб-сервер/PHP!',
|
||||
'Marketplace API Connection' => 'Подключение к API Маркетплейса',
|
||||
'Memory Limit ({memoryLimit})' => 'Ограничение памяти ({memoryLimit})',
|
||||
'Minimum Version {minVersion}' => 'Минимальная версия {minVersion}',
|
||||
'Mobile App - Push Service' => 'Приложение — Push-сервис',
|
||||
'Module Directory' => 'Каталог модулей',
|
||||
'Multibyte String Functions' => 'Многобайтовые строковые функции',
|
||||
'Must be updated manually. Check compatibility with newer HumHub versions before updating.' => 'Необходимо обновить вручную. Перед обновлением обязательно проверьте совместимость с более новыми версиями HumHub.',
|
||||
'Never' => 'Никогда',
|
||||
'New migrations should be applied: {migrations}' => 'Необходимо применить новые миграции: {migrations}',
|
||||
'No pending migrations' => 'Нет ожидающих выполнения миграций',
|
||||
'Optional' => 'Необязательно',
|
||||
'Other' => 'Прочее',
|
||||
'Outstanding database migrations:' => 'Оставшиеся миграции баз данных:',
|
||||
'Permissions' => 'Доступ',
|
||||
'Please refer to the documentation to setup the cronjobs and queue workers.' => 'Пожалуйста, обратитесь к документации для настройки CronJob и работы с очередями.',
|
||||
'Prerequisites' => 'Проверка требований',
|
||||
'Pretty URLs' => 'Красивые URL-адреса',
|
||||
'Profile Image' => 'Изображение профиля',
|
||||
'Queue successfully cleared.' => 'Очередь успешно очищена.',
|
||||
'Re-Run tests' => 'Перезапустить тест',
|
||||
'Rebuild search index' => 'Перестроить поисковый индекс',
|
||||
'Recommended collation is {collation} for the tables: {tables}' => 'Рекомендуемый тип сравнения — {collation} для таблиц: {tables}',
|
||||
'Recommended collation is {collation}' => 'Рекомендуемый тип сравнения — {collation}',
|
||||
'Recommended engine is {engine} for the tables: {tables}' => 'Рекомендуемый движок — {engine} для таблиц: {tables}',
|
||||
'Refresh' => 'Обновить',
|
||||
'Reserved' => 'Зарезервировано',
|
||||
'Runtime' => 'Время работы',
|
||||
'Search index rebuild in progress.' => 'Идёт перестроение поискового индекса.',
|
||||
'Search term...' => 'Искать термин...',
|
||||
'See installation manual for more details.' => 'Смотрите руководство по установке для более подробной информации.',
|
||||
'Select category..' => 'Выберите категорию..',
|
||||
'Select day' => 'Выберите день',
|
||||
'Select level...' => 'Выберите тип...',
|
||||
'Settings' => 'Настройки',
|
||||
'Supported drivers: {drivers}' => 'Поддерживаемые драйверы: {drivers}',
|
||||
'Table collations' => 'Сравнение таблиц',
|
||||
'Table engines' => 'Движки таблиц',
|
||||
'The configuration file contains legacy settings. Invalid options: {options}' => 'Файл конфигурации содержит устаревшие настройки. Следующие параметры недопустимы: {options}',
|
||||
'The current main HumHub database name is ' => 'Текущее имя основной базы данных HumHub: ',
|
||||
'The module(s) are no longer maintained and should be uninstalled.' => 'Этот модуль (или модули) больше не поддерживается и должен быть удалён.',
|
||||
'There is a new update available! (Latest version: %version%)' => 'Доступно новое обновление! (Последняя версия: %version%)',
|
||||
'This HumHub installation is up to date!' => 'Ваша версия HumHub актуальна (у вас самая свежая версия)!',
|
||||
'Total {count} entries found.' => 'Найдено всего {count} записей(и).',
|
||||
'Trace' => 'След',
|
||||
'Update Database' => 'Обновить базу данных',
|
||||
'Uploads' => 'Загрузки',
|
||||
'Varying table engines are not supported.' => 'Механизмы изменения таблиц не поддерживаются.',
|
||||
'Version' => 'Версия',
|
||||
'Waiting' => 'Ожидание',
|
||||
'Warning' => 'Предупреждение',
|
||||
'Web Application PHP version: `{webPhpVersion}`, Cron PHP Version: `{cronPhpVersion}`' => 'Версия PHP веб-приложения: `{webPhpVersion}`, версия PHP Cron: `{cronPhpVersion}`',
|
||||
'Web Application and Cron uses the same PHP version' => 'Веб-приложение и Cron используют одну и ту же версию PHP',
|
||||
'Web Application and Cron uses the same user' => 'Веб-приложение и Cron используют одного и того же пользователя',
|
||||
'Web Application user: `{webUser}`, Cron user: `{cronUser}`' => 'Пользователь веб-приложения: `{webUser}`, пользователь Cron: `{cronUser}`',
|
||||
'Your database is <b>up-to-date</b>.' => 'Ваша база данных <b>актуальна</b>.',
|
||||
'{imageExtension} Support' => 'Поддержка {imageExtension}',
|
||||
'{phpExtension} Extension' => 'Расширение {phpExtension}',
|
||||
'{phpExtension} Support' => 'Поддержка {phpExtension}',
|
||||
];
|
||||
|
@ -1,8 +1,4 @@
|
||||
<?php
|
||||
/**
|
||||
* Translation: Paul (https://paul.bid) paulbid@protonmail.com
|
||||
*
|
||||
*/
|
||||
<?php /* Translated by Paul (https://paul.bid) www.paul.bid@gmail.com */
|
||||
return array (
|
||||
'Installed' => 'Установленные',
|
||||
);
|
||||
|
@ -1,25 +1,25 @@
|
||||
<?php
|
||||
<?php /* Translated by Paul (https://paul.bid) www.paul.bid@gmail.com */
|
||||
return array (
|
||||
'%moduleName% - Set as default module' => '%moduleName% - режим работы модуля',
|
||||
'Always activated' => 'Всегда включен',
|
||||
'%moduleName% - Set as default module' => '%moduleName% — режим работы модуля',
|
||||
'Always activated' => 'Всегда включён',
|
||||
'Are you sure? *ALL* module data will be lost!' => 'Вы уверены? *ВСЕ* данные модуля будут утеряны!',
|
||||
'Are you sure? *ALL* module related data and files will be lost!' => 'Вы уверены? *ВСЕ* данные и файлы связанные с модулем будут утеряны!',
|
||||
'Close' => 'Закрыть',
|
||||
'Could not find requested module!' => 'Не удалось найти запрошенный модуль!',
|
||||
'Deactivated' => 'Выключен',
|
||||
'Deactivation of this module has not been completed yet. Please retry in a few minutes.' => 'Деактивация этого модуля еще не завершена. Повторите попытку через несколько минут.',
|
||||
'Deactivated' => 'Отключён',
|
||||
'Deactivation of this module has not been completed yet. Please retry in a few minutes.' => 'Отключение этого модуля ещё не завершено. Пожалуйста, повторите попытку через несколько минут.',
|
||||
'Enable module...' => 'Подключение модуля ...',
|
||||
'Enabled' => 'Включен',
|
||||
'Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose "always activated".' => 'Здесь Вы можете выбрать, следует ли автоматически активировать модуль в сообществе или профиле пользователя. Если модуль должен быть активен всегда, выберите «всегда активирован».',
|
||||
'Module deactivation in progress. This process may take a moment.' => 'Выполняется деактивация модуля. Этот процесс может занять некоторое время.',
|
||||
'Enabled' => 'Включён',
|
||||
'Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose "always activated".' => 'Здесь вы можете выбрать, следует ли автоматически включать модуль в сообществе или профиле пользователя. Если модуль должен быть активен всегда, выберите «Всегда включён».',
|
||||
'Module deactivation in progress. This process may take a moment.' => 'Выполняется отключение модуля. Этот процесс может занять некоторое время.',
|
||||
'Module path %path% is not writeable!' => 'Путь к модулю %path% не доступен для записи!',
|
||||
'Module uninstall in progress. This process may take a moment.' => 'Идет удаление модуля. Этот процесс может занять некоторое время.',
|
||||
'Module uninstall in progress. This process may take a moment.' => 'Идёт удаление модуля. Этот процесс может занять некоторое время.',
|
||||
'Not available' => 'Недоступен',
|
||||
'Save' => 'Сохранить',
|
||||
'Space default state' => 'Состояние сообщества по умолчанию',
|
||||
'Spaces' => 'Сообщества',
|
||||
'The module is currently being used by {nbContainers} users or spaces. If you change its availability, all content created with the module will be lost. Proceed?' => 'В настоящее время модуль используется пользователями или сообществами {nbContainers}. Если вы измените его доступность, всё содержимое, созданное с помощью модуля, будет потеряно. Продолжить?',
|
||||
'Uninstallation of this module has not been completed yet. It will be removed in a few minutes.' => 'Удаление этого модуля ещё не завершено. Он будет удалён через несколько минут.',
|
||||
'Uninstallation of this module has not been completed yet. It will be removed in a few minutes.' => 'Удаление этого модуля ещё не завершено. Он будет удалён в течение нескольких минут.',
|
||||
'User default state' => 'Состояние пользователя по умолчанию',
|
||||
'Users' => 'Пользователи',
|
||||
);
|
||||
|
@ -1,4 +1,4 @@
|
||||
<?php
|
||||
<?php /* Translated by Paul (https://paul.bid) www.paul.bid@gmail.com */
|
||||
return array (
|
||||
'Administrative' => 'Административные',
|
||||
'Notify from {appName}. You were added to the group.' => 'Уведомление от {appName}. Вы были добавлены в группу.',
|
||||
|
@ -1,36 +1,18 @@
|
||||
<?php
|
||||
/**
|
||||
* Translation: Paul (https://paul.bid) paulbid@protonmail.com
|
||||
*
|
||||
*/
|
||||
/**
|
||||
* Message translations.
|
||||
*
|
||||
* This file is automatically generated by 'yii message/extract' command.
|
||||
* It contains the localizable messages extracted from source code.
|
||||
* You may modify this file by translating the extracted messages.
|
||||
*
|
||||
* Each array element represents the translation (value) of a message (key).
|
||||
* If the value is empty, the message is considered as not translated.
|
||||
* Messages that no longer need translation will have their translations
|
||||
* enclosed between a pair of '@@' marks.
|
||||
*
|
||||
* Message string can be used with plural forms format. Check i18n section
|
||||
* of the guide for details.
|
||||
*
|
||||
* NOTE: this file must be saved in UTF-8 encoding.
|
||||
*/
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Доступ к разделу «Информация» в Панели Управления',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Может получить доступ к разделу Панель управления -> «Информация».',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Может управлять сообществами в разделе Панель управления -> «Сообщества» (создание / редактирование / удаление).',
|
||||
'Can manage general settings.' => 'Может управлять пользователями, сообществами и общими настройками сайта.',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Может получить доступ к разделу Панель Управления -> «Информация».',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Может управлять сообществами в разделе Панель Управления -> «Сообщества» (создание / редактирование / удаление).',
|
||||
'Can manage general settings.' => 'Может управлять пользователями, сообществами и основными настройками сайта.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Может управлять модулями в разделе Панель Управления -> «Модули»',
|
||||
'Can manage users and groups' => 'Может управлять пользователями и группами пользователей',
|
||||
'Can manage users and user profiles.' => 'Может управлять пользователями и их профилями',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Может управлять модулями в разделе Панель управления -> «Модули»',
|
||||
'Manage Groups' => 'Управление Группами пользователей',
|
||||
'Manage Modules' => 'Управление Модулями',
|
||||
'Manage Settings' => 'Управление Настройками',
|
||||
'Manage Spaces' => 'Управление Сообществами',
|
||||
'Manage Users' => 'Управление Пользователями',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
@ -9,31 +9,31 @@ return [
|
||||
'6 months' => '6 месяцев',
|
||||
'<strong>Confirm</strong> icon deletion' => '<strong>Подтвердите</strong> удаление иконки',
|
||||
'<strong>Confirm</strong> image deletion' => '<strong>Подтвердите</strong> удаление изображения',
|
||||
'<strong>Confirm</strong> topic deletion' => '<strong>Подтверждение</strong> удаления темы',
|
||||
'<strong>Confirm</strong> topic deletion' => '<strong>Подтвердите</strong> удаление темы',
|
||||
'APC(u)' => 'Пользовательский кеш APC(u)',
|
||||
'Access Token' => 'Токен доступа',
|
||||
'Access token is not provided yet.' => 'Токен доступа еще не предоставлен.',
|
||||
'Add OEmbed provider' => 'Добавить OEmbed сервис',
|
||||
'Add Topic' => 'Добавить Тему',
|
||||
'Add custom info text for maintenance mode. Displayed on the login page.' => 'Добавьте пользовательский информационный текст для режима обслуживания. Отображается на странице входа.',
|
||||
'Access token is not provided yet.' => 'Токен доступа пока не предоставлен.',
|
||||
'Add OEmbed provider' => 'Добавить oEmbed сервис',
|
||||
'Add Topic' => 'Добавить тему',
|
||||
'Add custom info text for maintenance mode. Displayed on the login page.' => 'Добавьте информационный текст, который увидят пользователи во время Режима Технического обслуживания. Данный текст будет отображаться на странице входа в систему.',
|
||||
'Add individual info text...' => 'Добавить индивидуальный информационный текст...',
|
||||
'Add new provider' => 'Добавить новый сервис',
|
||||
'Advanced Settings' => 'Расширенные настройки',
|
||||
'Allow Self-Signed Certificates?' => 'Разрешить самоподписанные сертификаты?',
|
||||
'Allowed file extensions' => 'Допустимые расширения файлов',
|
||||
'Appearance Settings' => 'Настройки внешнего вида',
|
||||
'Auto format based on user language - Example: {example}' => 'Автоформат даты на основе языка пользователя - Пример: {example}',
|
||||
'Auto format based on user language - Example: {example}' => 'Автоматически форматировать даты на основе языка пользователя — Пример: {example}',
|
||||
'Back to overview' => 'Вернуться',
|
||||
'Base URL' => 'Основной URL',
|
||||
'Cache Backend' => 'Кеширование бекенда',
|
||||
'Comma separated list. Leave empty to allow all.' => 'Список, разделенный запятыми. Оставьте поле пустым, если хотите разрешить загружать файлы с любыми расширениями.',
|
||||
'Configuration (Use settings from configuration file)' => 'Конфигурация (Использовать настройки из файла конфигурации)',
|
||||
'Convert to global topic' => '',
|
||||
'Could not send test email.' => 'Не удалось отправить тестовое письмо.',
|
||||
'Currently no provider active!' => 'В настоящее ни один сервис не активиен!',
|
||||
'Comma separated list. Leave empty to allow all.' => 'Список, разделённый запятыми. Оставьте поле пустым, если хотите разрешить загружать файлы с любыми расширениями.',
|
||||
'Configuration (Use settings from configuration file)' => 'Конфигурация (используйте настройки из файла конфигурации)',
|
||||
'Convert to global topic' => 'Преобразовать в глобальную тему',
|
||||
'Could not send test email.' => 'Не удалось отправить тестовый email.',
|
||||
'Currently no provider active!' => 'В настоящее время ни один сервис не активен!',
|
||||
'Currently there are {count} records in the database dating from {dating}.' => 'В настоящее время в базе данных имеется {count} записей, датированных от {dating}.',
|
||||
'Custom DSN' => 'Пользовательский DSN',
|
||||
'Custom sort order (alphabetical if not defined)' => 'Пользовательский порядок сортировки (алфавитный, если не определён)',
|
||||
'Custom DSN' => 'Пользовательская конфигурация DSN',
|
||||
'Custom sort order (alphabetical if not defined)' => 'Пользовательский порядок сортировки (в алфавитном порядке, если не определён)',
|
||||
'Custom sort order can be defined in the Space advanced settings.' => 'Пользовательский порядок сортировки можно задать в расширенных настройках сообщества.',
|
||||
'DSN' => 'DSN',
|
||||
'DSN Examples:' => 'Примеры DSN:',
|
||||
@ -42,94 +42,94 @@ return [
|
||||
'Default Expire Time (in seconds)' => 'Время ожидания по умолчанию (в секундах)',
|
||||
'Default Timezone' => 'Часовой пояс по умолчанию',
|
||||
'Default language' => 'Язык по умолчанию',
|
||||
'Default pagination size (Entries per page)' => 'Пагинация по умолчанию (количество записей на странице)',
|
||||
'Default stream content order' => 'Сортировка записей в ленте по умолчанию',
|
||||
'Default pagination size (Entries per page)' => 'Пагинация по умолчанию (количество контента на странице)',
|
||||
'Default stream content order' => 'Сортировка контента в ленте по умолчанию',
|
||||
'Delete' => 'Удалить',
|
||||
'Do you really want to delete this topic?' => 'Вы уверены, что хотите удалить тему?',
|
||||
'E-Mail' => 'Email',
|
||||
'E-Mail reply-to' => 'Ответ на электронную почту',
|
||||
'E-Mail reply-to' => 'Email адрес для ответа',
|
||||
'E-Mail sender address' => 'Email отправителя',
|
||||
'E-Mail sender name' => 'Имя отправителя',
|
||||
'E.g. http://example.com/humhub' => 'например, https://example.com/humhub',
|
||||
'Edit OEmbed provider' => 'Изменить OEmbed сервис',
|
||||
'Embedded content requires the user\'s consent to be loaded' => 'Для загрузки встроенного контента требуется согласие пользователя.',
|
||||
'Enable maintenance mode' => 'Включить режим обслуживания',
|
||||
'Edit OEmbed provider' => 'Изменить oEmbed сервис',
|
||||
'Embedded content requires the user\'s consent to be loaded' => 'Для загрузки встроенного контента требуется согласие пользователя',
|
||||
'Enable maintenance mode' => 'Включить Режим технического обслуживания',
|
||||
'Enable user friendship system' => 'Включить «систему дружбы»',
|
||||
'Enabled' => 'Включено',
|
||||
'Enabled OEmbed providers' => 'Включеные OEmbed сервисы',
|
||||
'Enabled OEmbed providers' => 'Включённые oEmbed сервисы',
|
||||
'Endpoint Url' => 'URL конечной точки',
|
||||
'Exclude media files from stream attachment list' => 'Исключить медиафайлы из списка вложений потока',
|
||||
'Exclude media files from stream attachment list' => 'Исключить медиафайлы из списка вложений',
|
||||
'File' => 'Файл',
|
||||
'Firstname Lastname (e.g. John Doe)' => 'Имя и Фамилия пользователя (например, Иван Иванов)',
|
||||
'Fixed format (dd/mm/yyyy) - Example: {example}' => 'Фиксированный формат (dd/mm/yyyy) - Пример: {example}',
|
||||
'Fixed format (dd/mm/yyyy) - Example: {example}' => 'Фиксированный формат (dd/mm/yyyy) — Пример: {example}',
|
||||
'Friendship' => 'Дружба',
|
||||
'General' => 'Общее',
|
||||
'General Settings' => 'Общие настройки',
|
||||
'Global topics can be used by all users in all Spaces. They make it easier for you to define consistent keywords throughout your entire network. If users have already created topics in Spaces, you can also convert them to global topics here.' => '',
|
||||
'General' => 'Основное',
|
||||
'General Settings' => 'Основные настройки',
|
||||
'Global topics can be used by all users in all Spaces. They make it easier for you to define consistent keywords throughout your entire network. If users have already created topics in Spaces, you can also convert them to global topics here.' => 'Глобальные темы могут использоваться всеми пользователями во всех сообществах. Они облегчают вам определение согласованных ключевых слов для всего сайта вашей сети. Если пользователи уже создали темы в сообществах, вы также можете преобразовать их созданные темы в глобальные темы здесь.',
|
||||
'HTML tracking code' => 'HTML код счётчика',
|
||||
'Here you can configurate the registration behaviour and additinal user settings of your social network.' => 'Здесь Вы можете настроить поведение при регистрации и дополнительные настройки пользователей Вашей социальной сети.',
|
||||
'Here you can configure basic settings of your social network.' => 'Здесь Вы можете настроить основные параметры Вашей социальной сети.',
|
||||
'Here you can configurate the registration behaviour and additinal user settings of your social network.' => 'Здесь вы можете настроить поведение при регистрации и дополнительные настройки пользователей вашего сайта.',
|
||||
'Here you can configure basic settings of your social network.' => 'Здесь вы можете настроить основные параметры вашего сайта.',
|
||||
'Horizontal scrolling images on a mobile device' => 'Горизонтальная прокрутка изображений на мобильном устройстве',
|
||||
'Icon upload' => 'Загрузить иконку сайта (favicon)',
|
||||
'Inserted script tags must contain a nonce. e.g. {code}' => 'Вставленные теги скрипта должны содержать одноразовый номер. например, {code}',
|
||||
'Inserted script tags must contain a nonce. e.g. {code}' => 'Вставленные теги скрипта должны содержать специальное слово, например, {code}',
|
||||
'Last visit' => 'Последнее посещение',
|
||||
'Logo upload' => 'Загрузить логотип',
|
||||
'Mail Transport Type' => 'Способ отправки письма',
|
||||
'Maintenance mode' => 'Режим обслуживания',
|
||||
'Maintenance mode restricts access to the platform and immediately logs out all users except Admins.' => 'Режим обслуживания ограничивает доступ к платформе и немедленно выполняет выход из системы для всех пользователей, кроме администраторов.',
|
||||
'Mail Transport Type' => 'Способ отправки электронных писем',
|
||||
'Maintenance mode' => 'Режим технического обслуживания',
|
||||
'Maintenance mode restricts access to the platform and immediately logs out all users except Admins.' => 'Режим технического обслуживания ограничивает доступ к платформе и немедленно выполняет выход из системы для всех пользователей, кроме администраторов.',
|
||||
'Maximum allowed age for logs.' => 'Максимально разрешённый временной промежуток в лог-файле',
|
||||
'Maximum upload file size (in MB)' => 'Максимальный размер файла (в МБ)',
|
||||
'Mobile appearance' => 'Мобильный вид',
|
||||
'Name of the application' => 'Название сайта',
|
||||
'No Delivery (Debug Mode, Save as file)' => 'Нет доставки (режим отладки, сохранение как файл)',
|
||||
'No Delivery (Debug Mode, Save as file)' => 'Без доставки (режим отладки, сохранить как файл)',
|
||||
'No Proxy Hosts' => 'Без прокси сервера',
|
||||
'No caching' => 'Не кешировать',
|
||||
'Notification Settings' => 'Настройки уведомлений',
|
||||
'Old logs can significantly increase the size of your database while providing little information.' => 'Старые логи могут значительно увеличить размер Вашей базы данных, предоставляя мало полезной информации.',
|
||||
'Optional. Default reply address for system emails like notifications.' => 'Необязательный. Адрес ответа по умолчанию для системных писем, таких как уведомления.',
|
||||
'Old logs can significantly increase the size of your database while providing little information.' => 'Старые логи могут значительно увеличить размер вашей базы данных, при этом предоставляя мало полезной информации.',
|
||||
'Optional. Default reply address for system emails like notifications.' => 'Необязательно. Адрес ответа по умолчанию для системных электронных писем, таких как уведомления.',
|
||||
'PHP (Use settings of php.ini file)' => 'PHP (используйте настройки файла php.ini)',
|
||||
'PHP APC(u) Extension missing - Type not available!' => 'Расширение PHP APC(u) отсутствует - данный тип кеширования недоступен!',
|
||||
'PHP reported a maximum of {maxUploadSize} MB' => 'PHP загружает максимум {maxUploadSize} МБ',
|
||||
'PHP APC(u) Extension missing - Type not available!' => 'Расширение PHP APC(u) отсутствует — данный тип кеширования недоступен!',
|
||||
'PHP reported a maximum of {maxUploadSize} MB' => 'Сейчас в настройках PHP максимальный размер загружаемых файлов {maxUploadSize} МБ',
|
||||
'Password' => 'Пароль',
|
||||
'Port' => 'Порт',
|
||||
'Port number' => 'Номер порта',
|
||||
'Prevent client caching of following scripts' => 'Запретить клиентское кеширование следующих скриптов',
|
||||
'Prevent client caching of following scripts' => 'Запретить на стороне клиента кеширование следующих скриптов',
|
||||
'Provider Name' => 'Имя провайдера',
|
||||
'Redis' => 'Redis',
|
||||
'Regular expression by which the link match will be checked.' => 'Регулярное выражение, по которому будет проверяться совпадение ссылок.',
|
||||
'Regular expression by which the link match will be checked.' => 'Регулярное выражение, с помощью которого будет проверяться соответствие ссылки.',
|
||||
'Save' => 'Сохранить',
|
||||
'Save & Flush Caches' => 'Сохранить и удалить кеш',
|
||||
'Save & Flush Caches' => 'Сохранить и очистить кэш',
|
||||
'Save & Test' => 'Сохранить и протестировать',
|
||||
'Saved' => 'Сохранено',
|
||||
'Saved and flushed cache' => 'Сохранено, кэш сброшен',
|
||||
'Saved and sent test email to: {address}' => 'Сохранено и отправлено тестовое письмо по адресу: {address}.',
|
||||
'Saved and sent test email to: {address}' => 'Сохранено и отправлен тестовый email по адресу: {address}',
|
||||
'Server' => 'Сервер',
|
||||
'Show introduction tour for new users' => 'Показывать «приветственный тур» для новых пользователей',
|
||||
'Show user profile post form on dashboard' => 'Показать поле для создания записей на домашней странице пользователей',
|
||||
'Show user profile post form on dashboard' => 'Показать форму для создания новых записей пользователя на домашней странице',
|
||||
'Sort by creation date' => 'Сортировка по дате создания',
|
||||
'Sort by update date' => 'Сортировка по дате обновления',
|
||||
'Test message' => 'Тестовое сообщение',
|
||||
'Theme' => 'Тема оформления',
|
||||
'These settings refer to advanced topics of your social network.' => 'Эта вкладка относятся к более глубоким настройкам Вашей социальной сети.',
|
||||
'These settings refer to the appearance of your social network.' => 'Эта вкладка относятся к внешнему виду Вашей социальной сети.',
|
||||
'These settings refer to advanced topics of your social network.' => 'Эти настройки относятся к более глубоким настройкам вашего сайта.',
|
||||
'These settings refer to the appearance of your social network.' => 'Эти настройки относятся к внешнему виду вашего сайта.',
|
||||
'Topic has been deleted!' => 'Тема была удалена!',
|
||||
'Topics' => 'Темы',
|
||||
'Url Pattern' => 'Шаблон URL-адреса',
|
||||
'Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)' => 'Используйте плейсхолдер %url% вместо URL. Строка должна быть в JSON формате. (например: https://www.youtube.com/oembed?url=%url%&format=json)',
|
||||
'Use SMTPS' => 'Используйте SMTPS',
|
||||
'Url Pattern' => 'Паттерн URL-адреса',
|
||||
'Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)' => 'Используйте заполнитель %url% вместо URL. Строка должна быть в JSON формате. (например: https://www.youtube.com/oembed?url=%url%&format=json)',
|
||||
'Use SMTPS' => 'Использовать SMTP',
|
||||
'Use X-Sendfile for File Downloads' => 'Использовать X-Sendfile для загрузки файлов',
|
||||
'User' => 'Пользователь',
|
||||
'User Display Name' => 'Отображаемое имя пользователя',
|
||||
'User Display Name Subtitle' => 'Подзаголовок отображаемого имени пользователя',
|
||||
'User Display Name Subtitle' => 'Отображаемый подзаголовок имени пользователя',
|
||||
'User Settings' => 'Настройки Пользователя',
|
||||
'Username' => 'Имя пользователя',
|
||||
'Username (e.g. john)' => 'Имя пользователя (его юзернейм)',
|
||||
'You can add a statistic code snippet (HTML) - which will be added to all rendered pages.' => 'Вы можете вставить HTML код для сбора статистики, который будет добавлен на все страницы сайта.',
|
||||
'You can find more configuration options here:' => 'Дополнительные параметры конфигурации вы можете найти здесь:',
|
||||
'You\'re using no icon at the moment. Upload your logo now.' => 'На данный момент Вы не используете иконку. Загрузить иконку сейчас.',
|
||||
'You\'re using no logo at the moment. Upload your logo now.' => 'На данный момент Вы не используете логотип. Загрузить логотип сейчас.',
|
||||
'e.g. 25 (for SMTP) or 465 (for SMTPS)' => 'например 25 (для SMTP) или 465 (для SMTPS)',
|
||||
'Username (e.g. john)' => 'Имя пользователя (его юзернейм, например: paul)',
|
||||
'You can add a statistic code snippet (HTML) - which will be added to all rendered pages.' => 'Вы можете вставить HTML-код для сбора статистики, который будет добавлен на все страницы сайта.',
|
||||
'You can find more configuration options here:' => 'Вы можете найти дополнительные параметры конфигураций здесь:',
|
||||
'You\'re using no icon at the moment. Upload your logo now.' => 'На данный момент вы не используете иконку. Загрузить иконку сейчас.',
|
||||
'You\'re using no logo at the moment. Upload your logo now.' => 'На данный момент вы не используете логотип. Загрузить логотип сейчас.',
|
||||
'e.g. 25 (for SMTP) or 465 (for SMTPS)' => 'например, 25 (для SMTP) или 465 (для SMTPS)',
|
||||
'e.g. localhost' => 'например, localhost',
|
||||
'e.g. smtps://user:pass@smtp.example.com:port' => 'например smtps://user:pass@smtp.example.com:port',
|
||||
'e.g. smtps://user:pass@smtp.example.com:port' => 'например, smtps://user:pass@smtp.example.com:port',
|
||||
'never' => 'никогда',
|
||||
];
|
||||
|
@ -1,38 +1,37 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'<strong>Manage</strong> Spaces' => '<strong>Управление сообществами</strong>',
|
||||
'Add new space' => 'Добавить новое сообщество',
|
||||
'By using user roles, you can create different permission groups within a Space. These can also be individualized by authorized users for each and every Space and are only relevant for that specific Space.' => 'Используя пользовательские роли, вы можете создавать различные группы разрешений в Сообществе. Они также могут быть индивидуализированы авторизованными пользователями для каждого Сообщества и относятся только к этому конкретному Сообществу.',
|
||||
'Change owner' => 'Сменить владельца сообщества',
|
||||
'Default "Hide About Page"' => 'По умолчанию «Скрыть страницу о странице»',
|
||||
'Default "Hide Activity Sidebar Widget"' => 'По умолчанию «Скрыть виджет боковой панели активности»',
|
||||
'Default "Hide Followers"' => 'По умолчанию «Скрыть подписчиков»',
|
||||
'Default "Hide Members"' => 'По умолчанию «Скрыть участников»',
|
||||
'Default Content Visiblity' => 'Видимость контента по умолчанию',
|
||||
'Default Homepage' => 'Домашняя страница по умолчанию',
|
||||
'Default Homepage (Non-members)' => 'Домашняя страница по умолчанию (не члены)',
|
||||
'Default Join Policy' => 'Доступ по умолчанию',
|
||||
'Default Space Permissions' => 'Разрешения сообщества по умолчанию',
|
||||
'Default Space(s)' => 'Сообщество(а) по умолчанию',
|
||||
'Default Visibility' => 'Видимость по умолчанию',
|
||||
'Default space' => 'Cообщество по умолчанию',
|
||||
'Here you can define your default settings for new spaces. These settings can be overwritten for each individual space.' => 'Здесь Вы можете задать настройки по умолчанию для новых сообществ. Эти параметры могут быть изменены для каждого отдельного сообщества.',
|
||||
'Invalid space' => 'Неверное сообщество',
|
||||
'Manage members' => 'Управление пользователями',
|
||||
'Manage modules' => 'Управление модулями',
|
||||
'Open space' => 'Открыть сообщество',
|
||||
'Overview' => 'Список сообществ',
|
||||
'Permissions' => 'Доступ',
|
||||
'Search by name, description, id or owner.' => 'Поиск по названию, описанию, id или владельцу сообщества',
|
||||
'Settings' => 'Настройки',
|
||||
'Space Settings' => 'Настройки сообществ',
|
||||
'These options allow you to set the default permissions for all Spaces. Authorized users are able individualize these for each Space. Further entries are added with the installation of new modules.' => 'Эти опции позволяют вам установить разрешения по умолчанию для всех Сообществ. Авторизованные пользователи могут индивидуализировать их для каждого Сообщества. Дальнейшие записи добавляются при установке новых модулей.',
|
||||
'This overview contains a list of each space with actions to view, edit and delete spaces.' => 'Содержит список сообществ с возможностью просмотра, редактирования и удаления.',
|
||||
'Update Space memberships also for existing members.' => 'Обновление членств в Сообществах также для существующих членов.',
|
||||
'All existing Space Topics will be converted to Global Topics.' => '',
|
||||
'Allow individual topics in Spaces' => '',
|
||||
'Convert' => '',
|
||||
'Convert Space Topics' => '',
|
||||
'Default Stream Sort' => '',
|
||||
'<strong>Manage</strong> Spaces' => '<strong>Управление Сообществами</strong>',
|
||||
'Add new space' => 'Добавить новое сообщество',
|
||||
'All existing Space Topics will be converted to Global Topics.' => 'Все существующие темы сообщества будут преобразованы в глобальные темы.',
|
||||
'Allow individual topics in Spaces' => 'Разрешить отдельные темы в сообществах',
|
||||
'By using user roles, you can create different permission groups within a Space. These can also be individualized by authorized users for each and every Space and are only relevant for that specific Space.' => 'Используя пользовательские роли, вы можете создавать различные группы прав в Сообществе. Они также могут быть индивидуализированы авторизованными пользователями для каждого сообщества и относиться только к этому конкретному сообществу.',
|
||||
'Change owner' => 'Сменить владельца сообщества',
|
||||
'Convert' => 'Конвертировать',
|
||||
'Convert Space Topics' => 'Конвертировать темы сообщества',
|
||||
'Default "Hide About Page"' => 'По умолчанию «Скрыть страницу о странице»',
|
||||
'Default "Hide Activity Sidebar Widget"' => 'По умолчанию «Скрыть виджет боковой панели активности»',
|
||||
'Default "Hide Followers"' => 'По умолчанию «Скрыть подписчиков»',
|
||||
'Default "Hide Members"' => 'По умолчанию «Скрыть участников»',
|
||||
'Default Content Visiblity' => 'Видимость контента по умолчанию',
|
||||
'Default Homepage' => 'Домашняя страница по умолчанию',
|
||||
'Default Homepage (Non-members)' => 'Домашняя страница по умолчанию (для тех кто не участник)',
|
||||
'Default Join Policy' => 'Политика/правила присоединения по умолчанию',
|
||||
'Default Space Permissions' => 'Разрешения/права сообщества по умолчанию',
|
||||
'Default Space(s)' => 'Сообщество(а) по умолчанию',
|
||||
'Default Stream Sort' => 'Сортировка ленты по умолчанию',
|
||||
'Default Visibility' => 'Видимость по умолчанию',
|
||||
'Default space' => 'Cообщество по умолчанию',
|
||||
'Here you can define your default settings for new spaces. These settings can be overwritten for each individual space.' => 'Здесь вы можете задать настройки по умолчанию для новых сообществ. Эти параметры могут быть изменены для каждого отдельного сообщества.',
|
||||
'Invalid space' => 'Недопустимое сообщество',
|
||||
'Manage members' => 'Управление пользователями',
|
||||
'Manage modules' => 'Управление модулями',
|
||||
'Open space' => 'Открыть сообщество',
|
||||
'Overview' => 'Список сообществ',
|
||||
'Permissions' => 'Доступ',
|
||||
'Search by name, description, id or owner.' => 'Поиск по названию, описанию, id или владельцу сообщества',
|
||||
'Settings' => 'Настройки',
|
||||
'Space Settings' => 'Настройки сообществ',
|
||||
'These options allow you to set the default permissions for all Spaces. Authorized users are able individualize these for each Space. Further entries are added with the installation of new modules.' => 'Эти опции позволяют вам установить разрешения по умолчанию для всех сообществ. Авторизованные пользователи могут индивидуализировать их для каждого сообщества в отдельности. Дальнейшие записи добавляются при установке новых модулей.',
|
||||
'This overview contains a list of each space with actions to view, edit and delete spaces.' => 'Содержит список сообществ с возможностью их просмотра, редактирования и удаления.',
|
||||
'Update Space memberships also for existing members.' => 'Обновление членств в сообществах также для существующих членов сообществ.',
|
||||
];
|
||||
|
@ -1,94 +1,102 @@
|
||||
<?php
|
||||
|
||||
<?php /* Translated by Paul (https://paul.bid) www.paul.bid@gmail.com */
|
||||
return [
|
||||
'<strong>Information</strong>' => '<strong>Информация</strong>',
|
||||
'<strong>Profile</strong> Permissions' => 'Разрешения <strong>Профиля</strong>',
|
||||
'<strong>Settings</strong> and Configuration' => '<strong>Настройки и конфигурация</strong>',
|
||||
'<strong>User</strong> administration' => '<strong>Управление пользователями</strong>',
|
||||
'<strong>Warning:</strong> All individual profile permission settings are reset to the default values!' => '<strong>Предупреждение:</strong> Все индивидуальные настройки прав доступа к профилю сбрасываются на значения по умолчанию!',
|
||||
'About the account request for \'{displayName}\'.' => 'О запросе учётной записи для \'{displayName}\'.',
|
||||
'Accept user: <strong>{displayName}</strong> ' => 'Активировать пользователя: <strong>{displayName}</strong>',
|
||||
'Account' => 'Аккаунт',
|
||||
'Account Request for \'{displayName}\' has been approved.' => 'Учётная запись для \'{displayName}\' была утверждена.',
|
||||
'Account Request for \'{displayName}\' has been declined.' => 'Учётная запись для \'{displayName}\' была отклонена.',
|
||||
'Actions' => 'Действия',
|
||||
'Active users' => 'Активные пользователи',
|
||||
'Add Groups...' => 'Добавить Группы...',
|
||||
'Add new category' => 'Добавить новую категорию',
|
||||
'Add new field' => 'Добавить новое поле',
|
||||
'Add new group' => 'Создать новую группу',
|
||||
'Add new members...' => 'Добавить участников...',
|
||||
'Add new user' => 'Добавить нового пользователя',
|
||||
'Administrator group could not be deleted!' => 'Группа администратора не может быть удалена!',
|
||||
'All open registration invitations were successfully deleted.' => 'Все открытые приглашения на регистрацию были успешно удалены.',
|
||||
'All the personal data of this user will be irrevocably deleted.' => 'Все личные данные этого пользователя будут безвозвратно удалены.',
|
||||
'Allow' => 'Разрешить',
|
||||
'Allow users to block each other' => 'Разрешить пользователям блокировать друг друга',
|
||||
'Allow users to set individual permissions for their own profile?' => 'Разрешить пользователям устанавливать индивидуальные разрешения для своего профиля?',
|
||||
'Allow visitors limited access to content without an account (Adds visibility: "Guest")' => 'Разрешить ограниченный доступ для незарегистрированных пользователей (гостей)',
|
||||
'Applied to new or existing users without any other group membership.' => 'Применимо к новым или существующим пользователям без какого-либо другого членства в группе.',
|
||||
'Apply' => 'Подтвердить',
|
||||
'Approve' => 'Утвердить',
|
||||
'Approve all selected' => 'Утвердить все выбранные',
|
||||
'Are you really sure that you want to disable this user?' => 'Вы действительно уверены, что хотите отключить этого пользователя?',
|
||||
'Are you really sure that you want to enable this user?' => 'Вы действительно уверены, что хотите подключить этого пользователя?',
|
||||
'Are you really sure that you want to impersonate this user?' => 'Вы действительно уверены, что хотите выдать себя за этого пользователя?',
|
||||
'Are you really sure? The selected users will be approved and notified by e-mail.' => 'Вы действительно уверены? Выбранные пользователи будут одобрены и уведомлены по электронной почте.',
|
||||
'Are you really sure? The selected users will be deleted and notified by e-mail.' => 'Вы действительно уверены? Выбранные пользователи будут удалены и уведомлены по электронной почте.',
|
||||
'Are you really sure? The selected users will be notified by e-mail.' => 'Вы действительно уверены? Выбранные пользователи будут уведомлены по электронной почте.',
|
||||
'Are you really sure? Users who are not assigned to another group are automatically assigned to the default group.' => 'Ты действительно уверены? Пользователи, которые не назначены в другую группу, автоматически назначаются в группу по умолчанию.',
|
||||
'Are you sure that you want to delete following user?' => 'Вы уверены, что хотите удалить этого пользователя?',
|
||||
'Cancel' => 'Отменить',
|
||||
'Click here to review' => 'Нажмите здесь, чтобы просмотреть',
|
||||
'Confirm user deletion' => 'Подтвердите удаление пользователя',
|
||||
'Could not approve the user!' => 'Не удалось одобрить пользователя!',
|
||||
'Could not decline the user!' => 'Не удалось отклонить пользователя!',
|
||||
'Could not load category.' => 'Невозможно загрузить категорию.',
|
||||
'Could not send the message to the user!' => 'Не удалось отправить сообщение пользователю!',
|
||||
'Create new group' => 'Создать новую группу',
|
||||
'Create new profile category' => 'Создать новую категорию профиля',
|
||||
'Create new profile field' => 'Добавить новое поле профиля',
|
||||
'Deactivate individual profile permissions?' => 'Деактивировать разрешения индивидуального профиля?',
|
||||
'Decline' => 'Отказать',
|
||||
'Decline & delete user: <strong>{displayName}</strong>' => 'Отклонить и удалить пользователя: <strong>{displayName}</strong>',
|
||||
'Decline all selected' => 'Отклонить все выбранные',
|
||||
'Default' => 'По умолчанию',
|
||||
'Default Profile Permissions' => 'Разрешения профиля по умолчанию',
|
||||
'Default Sorting' => 'Сортировка по умолчанию',
|
||||
'Default content of the email when sending a message to the user' => 'Содержимое письма по умолчанию при отправке сообщения пользователю',
|
||||
'Default content of the registration approval email' => 'Содержимое электронного письма с подтверждением регистрации по умолчанию',
|
||||
'Default content of the registration denial email' => 'Содержимое письма об отказе в регистрации по умолчанию',
|
||||
'Default group can not be deleted!' => 'Группу по умолчанию удалить невозможно!',
|
||||
'Default user idle timeout, auto-logout (in seconds, optional)' => 'Время бездействия пользователя до авто-выхода по умолчанию (в секундах, опционально)',
|
||||
'Default user profile visibility' => 'Кому виден профиль пользователя по умолчанию',
|
||||
'Delete' => 'Удалить',
|
||||
'Delete All' => 'Удалить все',
|
||||
'Delete all contributions of this user' => 'Удалить все вклады этого пользователя',
|
||||
'Delete invitation' => 'Удалить приглашение',
|
||||
'Delete invitation?' => 'Удалить приглашение?',
|
||||
'Delete spaces which are owned by this user' => 'Удалить пространства, принадлежащие этому пользователю',
|
||||
'Deleted' => 'Удалить',
|
||||
'Deleted invitation' => 'Удалено приглашение',
|
||||
'Deleted users' => 'Удаленные пользователи',
|
||||
'Disable' => 'Выключить',
|
||||
'Disabled' => 'Отключён',
|
||||
'Disabled users' => 'Отключенные пользователи',
|
||||
'Do not change placeholders like {displayName} if you want them to be automatically filled by the system. To reset the email content fields with the system default, leave them empty.' => 'Не меняйте условное название (placeholders), такие как {displayName}, если вы хотите, чтобы они автоматически заполнялись системой. Чтобы сбросить поля содержимого электронной почты до системных значений по умолчанию, оставьте их пустыми.',
|
||||
'Edit' => 'Изменить',
|
||||
'Edit category' => 'Изменить категорию',
|
||||
'Edit profile category' => 'Изменить категорию профиля',
|
||||
'Edit profile field' => 'Изменить поле профиля',
|
||||
'Edit user: {name}' => 'Редактировать пользователя: {name}',
|
||||
'Email all selected' => 'Отправить по электронной почте все выбранные',
|
||||
'Enable' => 'Включить',
|
||||
'Enable individual profile permissions' => 'Включить разрешения для отдельных профилей',
|
||||
'Enabled' => 'Включён',
|
||||
'First name' => 'Имя',
|
||||
'Group Manager' => 'Менеджер группы',
|
||||
'Group not found!' => 'Группа не найдена!',
|
||||
'Group user not found!' => 'Участник группы не найден!',
|
||||
'Groups' => 'Группы',
|
||||
'Hello {displayName},
|
||||
'<strong>Information</strong>' => '<strong>Информация</strong>',
|
||||
'<strong>Profile</strong> Permissions' => ' <strong>Права и Разрешения Профиля</strong>',
|
||||
'<strong>Settings</strong> and Configuration' => '<strong>Настройки и Конфигурации</strong>',
|
||||
'<strong>User</strong> administration' => '<strong>Управление пользователями</strong>',
|
||||
'<strong>Warning:</strong> All individual profile permission settings are reset to the default values!' => '<strong>Предупреждение:</strong> Все индивидуальные настройки прав доступа и разрешений профиля сбрасываются на значения по умолчанию!',
|
||||
'About the account request for \'{displayName}\'.' => 'О запросе учётной записи для \'{displayName}\'.',
|
||||
'Accept user: <strong>{displayName}</strong> ' => 'Активировать пользователя: <strong>{displayName}</strong>',
|
||||
'Account Request for \'{displayName}\' has been approved.' => 'Учётная запись \'{displayName}\' была утверждена.',
|
||||
'Account Request for \'{displayName}\' has been declined.' => 'Учётная запись \'{displayName}\' была отклонена.',
|
||||
'Account' => 'Учётная запись',
|
||||
'Actions' => 'Действия',
|
||||
'Active users' => 'Активные пользователи',
|
||||
'Add Groups...' => 'Добавить Группы...',
|
||||
'Add new category' => 'Добавить новую категорию',
|
||||
'Add new field' => 'Добавить новое поле',
|
||||
'Add new group' => 'Создать новую группу',
|
||||
'Add new members...' => 'Добавить участников...',
|
||||
'Add new user' => 'Добавить нового пользователя',
|
||||
'Administrator group could not be deleted!' => 'Группа администраторов не может быть удалена!',
|
||||
'All existing Profile Topics will be converted to Global Topics.' => 'Все существующие темы профиля будут преобразованы в глобальные темы.',
|
||||
'All open registration invitations were successfully deleted.' => 'Все открытые приглашения на регистрацию были успешно удалены.',
|
||||
'All open registration invitations were successfully re-sent.' => 'Все активные приглашения на регистрацию были успешно отправлены повторно.',
|
||||
'All the personal data of this user will be irrevocably deleted.' => 'Все личные данные этого пользователя будут безвозвратно удалены.',
|
||||
'Allow individual topics on profiles' => 'Разрешить отдельные темы в профилях',
|
||||
'Allow users to block each other' => 'Разрешить пользователям блокировать друг друга',
|
||||
'Allow users to set individual permissions for their own profile?' => 'Разрешить пользователям устанавливать индивидуальные разрешения для своего профиля?',
|
||||
'Allow visitors limited access to content without an account (Adds visibility: "Guest")' => 'Разрешить посетителям ограниченный доступ к контенту без учётной записи (добавляет режим видимости: «Гость»)',
|
||||
'Allow' => 'Разрешить',
|
||||
'Applied to new or existing users without any other group membership.' => 'Применяется к новым или существующим пользователям, не имеющим принадлежности в какой-либо другой группе.',
|
||||
'Apply' => 'Применить',
|
||||
'Approve all selected' => 'Одобрить все выбранные',
|
||||
'Approve' => 'Одобрить',
|
||||
'Are you really sure that you want to disable this user?' => 'Вы действительно уверены, что хотите отключить этого пользователя?',
|
||||
'Are you really sure that you want to enable this user?' => 'Вы действительно уверены, что хотите включить этого пользователя?',
|
||||
'Are you really sure that you want to impersonate this user?' => 'Вы действительно уверены, что хотите выдавать себя за этого пользователя?',
|
||||
'Are you really sure? The selected users will be approved and notified by e-mail.' => 'Вы действительно уверены? Выбранные пользователи будут одобрены и уведомлены об этом по электронной почте.',
|
||||
'Are you really sure? The selected users will be deleted and notified by e-mail.' => 'Вы действительно уверены? Выбранные пользователи будут удалены и уведомлены об этом по электронной почте.',
|
||||
'Are you really sure? The selected users will be notified by e-mail.' => 'Вы действительно уверены? Выбранные пользователи будут уведомлены по электронной почте.',
|
||||
'Are you really sure? Users who are not assigned to another group are automatically assigned to the default group.' => 'Вы действительно уверены? Пользователи, которые не определены в другую группу, автоматически попадают в группу по умолчанию.',
|
||||
'Are you sure that you want to delete following user?' => 'Вы уверены, что хотите удалить этого пользователя?',
|
||||
'Cancel' => 'Отменить',
|
||||
'Cannot resend invitation email!' => 'Невозможно повторно отправить приглашение по электронной почте!',
|
||||
'Click here to review' => 'Нажмите здесь, чтобы ознакомиться',
|
||||
'Confirm user deletion' => 'Подтвердите удаление пользователя',
|
||||
'Convert' => 'Конвертировать',
|
||||
'Convert Profile Topics' => 'Конвертировать темы профиля',
|
||||
'Could not approve the user!' => 'Не удалось одобрить пользователя!',
|
||||
'Could not decline the user!' => 'Не удалось отклонить пользователя!',
|
||||
'Could not load category.' => 'Не удалось загрузить категорию.',
|
||||
'Could not send the message to the user!' => 'Не удалось отправить сообщение пользователю!',
|
||||
'Create new group' => 'Создать новую группу',
|
||||
'Create new profile category' => 'Создать новую категорию профиля',
|
||||
'Create new profile field' => 'Добавить новое поле профиля',
|
||||
'Deactivate individual profile permissions?' => 'Деактивировать разрешения для отдельных профилей?',
|
||||
'Decline & delete user: <strong>{displayName}</strong>' => 'Отклонить и удалить пользователя: <strong>{displayName}</strong>',
|
||||
'Decline all selected' => 'Отклонить все выбранные',
|
||||
'Decline' => 'Отказать',
|
||||
'Default Profile Permissions' => 'Права и Разрешения профиля по умолчанию',
|
||||
'Default Sorting' => 'Сортировка по умолчанию',
|
||||
'Default content of the email when sending a message to the user' => 'Содержимое письма по умолчанию при отправке сообщения пользователю',
|
||||
'Default content of the registration approval email' => 'Содержимое электронного письма с информацией об одобрении по умолчанию',
|
||||
'Default content of the registration denial email' => 'Содержимое электронного письма с информацией об отклонении по умолчанию',
|
||||
'Default group can not be deleted!' => 'Группа по умолчанию не может быть удалена!',
|
||||
'Default user idle timeout, auto-logout (in seconds, optional)' => 'Время бездействия пользователя по умолчанию, после чего будет автоматический выход из системы (в секундах, необязательно)',
|
||||
'Default user profile visibility' => 'Кому виден профиль пользователя по умолчанию',
|
||||
'Default' => 'По умолчанию',
|
||||
'Delete All' => 'Удалить все',
|
||||
'Delete all contributions of this user' => 'Удалить все материалы этого пользователя',
|
||||
'Delete invitation' => 'Удалить приглашение',
|
||||
'Delete invitation?' => 'Удалить приглашение?',
|
||||
'Delete pending registrations?' => 'Удалить ожидающие регистрации?',
|
||||
'Delete spaces which are owned by this user' => 'Удалить все сообщества, принадлежащие этому пользователю',
|
||||
'Delete' => 'Удалить',
|
||||
'Deleted invitation' => 'Приглашение удалено',
|
||||
'Deleted users' => 'Удалённые пользователи',
|
||||
'Deleted' => 'Удалено',
|
||||
'Disable' => 'Отключить',
|
||||
'Disabled users' => 'Отключённые пользователи',
|
||||
'Disabled' => 'Отключён',
|
||||
'Do not change placeholders like {displayName} if you want them to be automatically filled by the system. To reset the email content fields with the system default, leave them empty.' => 'Пожалуйста, не меняйте заполнители типа {displayName}, если вы хотите, чтобы они автоматически заполнялись системой. Чтобы вернуть значения по умолчанию, оставьте поля пустыми.',
|
||||
'Do you really want to delete pending registrations?' => 'Вы действительно хотите удалить ожидающие регистрации?',
|
||||
'Do you really want to re-send the invitations to pending registration users?' => 'Вы действительно хотите повторно отправить приглашения пользователям, ожидающим регистрации?',
|
||||
'Edit category' => 'Редактировать категорию',
|
||||
'Edit profile category' => 'Изменить категорию профиля',
|
||||
'Edit profile field' => 'Изменить поле профиля',
|
||||
'Edit user: {name}' => 'Редактировать пользователя: {name}',
|
||||
'Edit' => 'Изменить',
|
||||
'Email all selected' => 'Отправить по электронной почте все выбранные',
|
||||
'Enable individual profile permissions' => 'Включить индивидуальные права и разрешения профиля',
|
||||
'Enable' => 'Включить',
|
||||
'Enabled' => 'Включён',
|
||||
'First name' => 'Имя',
|
||||
'Group Manager' => 'Менеджер группы',
|
||||
'Group not found!' => 'Группа не найдена!',
|
||||
'Group user not found!' => 'Участник группы не найден!',
|
||||
'Groups' => 'Группы',
|
||||
'Hello {displayName},
|
||||
|
||||
Your account creation is under review.
|
||||
Could you tell us the motivation behind your registration?
|
||||
@ -96,8 +104,14 @@ Could you tell us the motivation behind your registration?
|
||||
Kind Regards
|
||||
{AdminName}
|
||||
|
||||
' => 'Здравствуйте {displayName}, ваша учётная запись находится на рассмотрении. Не могли бы вы рассказать нам о причинах вашей регистрации? С уважением, {AdminName}',
|
||||
'Hello {displayName},
|
||||
' => 'Здравствуйте {displayName}!
|
||||
|
||||
Ваша учётная запись находится на рассмотрении.
|
||||
Не могли бы Вы рассказать нам о причинах Вашей регистрации?
|
||||
|
||||
С уважением,
|
||||
{AdminName}',
|
||||
'Hello {displayName},
|
||||
|
||||
Your account has been activated.
|
||||
|
||||
@ -107,123 +121,125 @@ Click here to login:
|
||||
Kind Regards
|
||||
{AdminName}
|
||||
|
||||
' => 'Здравствуйте, {displayName}! Ваша учетная запись активирована. Нажмите здесь, чтобы войти: {loginUrl} С уважением {AdminName}',
|
||||
'Hello {displayName},
|
||||
' => 'Здравствуйте, {displayName}!
|
||||
|
||||
Ваша учётная запись активирована.
|
||||
Чтобы войти, перейдите по ссылке: {loginUrl}
|
||||
|
||||
С уважением,
|
||||
{AdminName}',
|
||||
'Hello {displayName},
|
||||
|
||||
Your account request has been declined.
|
||||
|
||||
Kind Regards
|
||||
{AdminName}
|
||||
|
||||
' => 'Здравствуйте, {displayName}! Ваш запрос на создание аккаунта отклонен. С уважением {AdminName}',
|
||||
'Here you can create or edit profile categories and fields.' => 'Здесь вы можете создавать или редактировать категории и поля профилей пользователей.',
|
||||
'Hide online status of users' => 'Скрыть онлайн-статус пользователей',
|
||||
'If enabled, the Group Manager will need to approve registration.' => 'Если эта функция включена, менеджер группы должен одобрить регистрацию.',
|
||||
'If individual profile permissions are not allowed, the following settings are unchangeable for all users. If individual profile permissions are allowed, the settings are only set as defaults that users can customise. The following entries are then displayed in the same form in the users profile settings:' => 'Если отдельные разрешения профиля не разрешены, следующие настройки недоступны для всех пользователей. Если разрешены отдельные разрешения профиля, параметры устанавливаются только как значения по умолчанию, которые пользователи могут настраивать. Следующие записи затем отображаются в том же виде в настройках профиля пользователя:',
|
||||
'If this option is not selected, the ownership of the spaces will be transferred to your account.' => 'Если этот параметр не выбран, право собственности на пространства будет передано вашей учетной записи.',
|
||||
'Impersonate' => 'Зайти под именем',
|
||||
'Information 1' => 'Информация 1',
|
||||
'Information 2' => 'Информация 2',
|
||||
'Information 3' => 'Информация 3',
|
||||
'Invisible' => 'Невидимый',
|
||||
'Invite new people' => 'Приглашайте новых пользователей',
|
||||
'Invite not found!' => 'Приглашение не найдено!',
|
||||
'Last login' => 'Последний визит',
|
||||
'Last name' => 'Фамилия',
|
||||
'List pending registrations' => 'Список ожидающих регистраций',
|
||||
'Make the group selectable at registration.' => 'Сделайте группу доступной для выбора при регистрации.',
|
||||
'Manage group: {groupName}' => 'Управление группой: {groupName}',
|
||||
'Manage groups' => 'Управление группами',
|
||||
'Manage profile attributes' => 'Управление атрибутами профиля',
|
||||
'Member since' => 'Участник с',
|
||||
'Members' => 'Участники',
|
||||
'Members can invite external users by email' => 'Участники могут приглашать новых пользователей по электронной почте',
|
||||
'Members can invite external users by link' => 'Участники могут приглашать внешних пользователей по ссылке',
|
||||
'Message' => 'Сообщение',
|
||||
'New approval requests' => 'Новые запросы на подтверждение',
|
||||
'New users can register' => 'Любой пользователь может зарегистрироваться',
|
||||
'No' => 'Нет',
|
||||
'No users were selected.' => 'Пользователи не были выбраны.',
|
||||
'No value found!' => 'Значение не найдено!',
|
||||
'None' => 'Ничего',
|
||||
'Not visible' => 'Невидимый',
|
||||
'One or more user needs your approval as group admin.' => 'Один или несколько пользователей нуждаются в вашем подтверждении в качестве администратора группы.',
|
||||
'Only applicable when limited access for non-authenticated users is enabled. Only affects new users.' => 'Применяется только в том случае, если включен ограниченный доступ для незарегистрированных пользователей. Влияет только на новых пользователей.',
|
||||
'Overview' => 'Список пользователей',
|
||||
'Password' => 'Пароль',
|
||||
'Pending approvals' => 'В ожидании подтверждения',
|
||||
'Pending user approvals' => 'Ожидает подтверждения пользователей',
|
||||
'People' => 'Люди',
|
||||
'Permanently delete' => 'Удалить навсегда',
|
||||
'Permissions' => 'Доступ',
|
||||
'Post-registration approval required' => 'Требуется последующее одобрение после регистрации',
|
||||
'Prioritised User Group' => 'Приоритетная группа пользователей',
|
||||
'Profile Permissions' => 'Разрешения профиля',
|
||||
'Profiles' => 'Профили',
|
||||
'Protected' => 'Защищено',
|
||||
'Protected group can not be deleted!' => 'Защищенную группу удалить невозможно!',
|
||||
'Remove from group' => 'Удалить из группы',
|
||||
'Resend invitation email' => 'Повторно отправить приглашение по электронной почте',
|
||||
'Save' => 'Сохранить',
|
||||
'Search by name, email or id.' => 'Поиск по имени, электронной почте или идентификатору.',
|
||||
'Select Groups' => 'Выберите группы',
|
||||
'Select a prioritised group whose members are displayed before all others when the sorting option \'Default\' is selected. The users within the group and the users outside the group are additionally sorted by their last login.' => 'Выберите группу с приоритетом, члены которой отображаются раньше всех остальных, когда выбран вариант сортировки «По умолчанию». Пользователи внутри группы и пользователи вне группы дополнительно сортируются по их последнему входу в систему.',
|
||||
'Select the profile fields you want to add as columns' => 'Выберите поля профиля, которые вы хотите добавить в качестве столбцов.',
|
||||
'Select which user information should be displayed in the \'People\' overview. You can select any profile fields, even those you have created individually. ' => 'Выберите, какая информация о пользователе должна отображаться в обзоре «Люди». Вы можете выбрать любые поля профиля, даже те, которые вы создали индивидуально.',
|
||||
'Send' => 'Отправить',
|
||||
'Send & decline' => 'Отправить и отклонить',
|
||||
'Send & save' => 'Отправить и сохранить',
|
||||
'Send a message' => 'Отправить сообщение',
|
||||
'Send a message to <strong>{displayName}</strong> ' => 'Отправьте сообщение для <strong>{displayName}</strong>',
|
||||
'Send invitation email' => 'Отправить приглашение по электронной почте',
|
||||
'Send invitation email again?' => 'Отправить приглашение еще раз?',
|
||||
'Send notifications to users when added to or removed from the group.' => 'Отправляйте уведомления пользователям при добавлении в группу или удалении из нее.',
|
||||
'Settings' => 'Настройки',
|
||||
'Show group selection at registration' => 'Показывать выбор группы при регистрации',
|
||||
'Subject' => 'Тема',
|
||||
'The Space memberships of all group members will be updated. This may take up to several minutes.' => 'Членство в пространстве всех участников группы будет обновлено. Это может занять до нескольких минут.',
|
||||
'The following list contains all pending sign-ups and invites.' => 'Следующий список содержит все ожидающие регистрации и приглашения.',
|
||||
'The following list contains all registered users awaiting an approval.' => 'Список содержит всех зарегистрированных пользователей, ожидающих подверждения.',
|
||||
'The message has been sent by email.' => 'Сообщение было отправлено по электронной почте.',
|
||||
'The registration was approved and the user was notified by email.' => 'Регистрация была одобрена, и пользователь был уведомлен по электронной почте.',
|
||||
'The registration was declined and the user was notified by email.' => 'Регистрация была отклонена, и пользователь был уведомлен об этом по электронной почте.',
|
||||
'The registrations were approved and the users were notified by email.' => 'Регистрация была одобрена, и пользователи были уведомлены по электронной почте.',
|
||||
'The registrations were declined and the users were notified by email.' => 'Регистрация была отклонена, и пользователи были уведомлены по электронной почте.',
|
||||
'The selected invitations have been successfully deleted!' => 'Выбранные приглашения успешно удалены!',
|
||||
'The user is the owner of these spaces:' => 'Пользователь является владельцем следующих пространств:',
|
||||
'The users were notified by email.' => 'Пользователи были уведомлены по электронной почте.',
|
||||
'This option allows you to determine whether users may set individual permissions for their own profiles.' => 'Эта опция позволяет вам определить, могут ли пользователи устанавливать индивидуальные разрешения для своих профилей.',
|
||||
'This overview contains a list of each registered user with actions to view, edit and delete users.' => 'Ниже приведён список зарегистрированных пользователей с возможностью для просмотра, редактирования и удаления пользователей.',
|
||||
'This user owns no spaces.' => 'У этого пользователя нет пространств.',
|
||||
'Unapproved' => 'Не подтверждён',
|
||||
'User deletion process queued.' => 'Процесс удаления пользователя поставлен в очередь.',
|
||||
'User is already a member of this group.' => 'Пользователь уже является членом этой группы.',
|
||||
'User not found!' => 'Пользователь не найден!',
|
||||
'Users can be assigned to different groups (e.g. teams, departments etc.) with specific standard spaces, group managers and permissions.' => 'Пользователи могут быть назначены в различные группы (например, команды, отделы и так далее), с определенными стандартными сообществами для той или иной группы, а также менеджерами групп и сопутствующими правами.',
|
||||
'Using this option any contributions (e.g. contents, comments or likes) of this user will be irrevocably deleted.' => 'При использовании этой опции любые публикации (например, контент, комментарии или отметки «Нравится») этого пользователя будут безвозвратно удалены.',
|
||||
'View profile' => 'Просмотреть профиль',
|
||||
'Visible for members only' => 'Только зарегистрированным пользователям',
|
||||
'Visible for members+guests' => 'Зарегистрированным пользователям и гостям',
|
||||
'Will be used as a filter in \'People\'.' => 'Будет использоваться в качестве фильтра в разделе «Люди».',
|
||||
'Yes' => 'Да',
|
||||
'You can only delete empty categories!' => 'Вы можете удалять только пустые категории!',
|
||||
'You cannot delete yourself!' => 'Вы не можете удалить себя!',
|
||||
'never' => 'никогда',
|
||||
'{nbMsgSent} already sent' => '{nbMsgSent} уже отправлено',
|
||||
'All existing Profile Topics will be converted to Global Topics.' => '',
|
||||
'All open registration invitations were successfully re-sent.' => '',
|
||||
'Allow individual topics on profiles' => '',
|
||||
'Cannot resend invitation email!' => '',
|
||||
'Convert' => '',
|
||||
'Convert Profile Topics' => '',
|
||||
'Delete pending registrations?' => '',
|
||||
'Do you really want to delete pending registrations?' => '',
|
||||
'Do you really want to re-send the invitations to pending registration users?' => '',
|
||||
'Re-send to all' => '',
|
||||
'Resend invitation?' => '',
|
||||
'Resend invitations?' => '',
|
||||
'The default user idle timeout is used when user session is idle for a certain time. The user is automatically logged out after this time.' => '',
|
||||
'The selected invitations have been successfully re-sent!' => '',
|
||||
'The user cannot be removed from this Group!' => '',
|
||||
'The user cannot be removed from this Group, as users are required to be assigned to at least one Group.' => '',
|
||||
' => 'Здравствуйте, {displayName}!
|
||||
|
||||
Ваш запрос на создание учётной записи отклонён.
|
||||
|
||||
С уважением,
|
||||
{AdminName}',
|
||||
'Here you can create or edit profile categories and fields.' => 'Здесь вы можете создавать или редактировать категории и поля профилей пользователей.',
|
||||
'Hide online status of users' => 'Скрывать онлайн-статус пользователей',
|
||||
'If enabled, the Group Manager will need to approve registration.' => 'Если эта функция включена, менеджер группы должен одобрить регистрацию.',
|
||||
'If individual profile permissions are not allowed, the following settings are unchangeable for all users. If individual profile permissions are allowed, the settings are only set as defaults that users can customise. The following entries are then displayed in the same form in the users profile settings:' => 'Если права и разрешения для отдельных профилей отключены, следующие настройки остаются неизменными для всех пользователей. Если права и разрешения для отдельных профилей включены, настройки устанавливаются на значения по умолчанию, и пользователи могут настраивать их лично под себя. В настройках профиля пользователя отображаются следующие поля:',
|
||||
'If this option is not selected, the ownership of the spaces will be transferred to your account.' => 'Если этот параметр не выбран, права собственности на сообщества будут переданы вашей учётной записи.',
|
||||
'Impersonate' => 'Выдавать себя за',
|
||||
'Information 1' => 'Информация 1',
|
||||
'Information 2' => 'Информация 2',
|
||||
'Information 3' => 'Информация 3',
|
||||
'Invisible' => 'Невидимый',
|
||||
'Invite new people' => 'Пригласить новых людей',
|
||||
'Invite not found!' => 'Приглашение не найдено!',
|
||||
'Last login' => 'Последний визит',
|
||||
'Last name' => 'Фамилия',
|
||||
'List pending registrations' => 'Список учётных записей ожидающих рассмотрения',
|
||||
'Make the group selectable at registration.' => 'Сделать группу доступной для выбора при регистрации.',
|
||||
'Manage group: {groupName}' => 'Управление группой: {groupName}',
|
||||
'Manage groups' => 'Управление группами',
|
||||
'Manage profile attributes' => 'Управление атрибутами профиля',
|
||||
'Member since' => 'Участник с',
|
||||
'Members can invite external users by email' => 'Участники могут приглашать новых пользователей по электронной почте',
|
||||
'Members can invite external users by link' => 'Участники могут приглашать пользователей по ссылке',
|
||||
'Members' => 'Участники',
|
||||
'Message' => 'Сообщение',
|
||||
'New approval requests' => 'Новые запросы на подтверждение',
|
||||
'New users can register' => 'Любой пользователь может зарегистрироваться',
|
||||
'No users were selected.' => 'Нет выбранных пользователей.',
|
||||
'No value found!' => 'Значение не найдено!',
|
||||
'No' => 'Нет',
|
||||
'None' => 'Ничего',
|
||||
'Not visible' => 'Не виден',
|
||||
'One or more user needs your approval as group admin.' => 'Один или несколько пользователей нуждаются в вашем подтверждении в качестве администратора группы.',
|
||||
'Only applicable when limited access for non-authenticated users is enabled. Only affects new users.' => 'Применимо только в том случае, если включён ограниченный доступ для пользователей, не прошедших проверку подлинности (не подтверждённых). Влияет только на новых пользователей.',
|
||||
'Overview' => 'Список пользователей',
|
||||
'Password' => 'Пароль',
|
||||
'Pending approvals' => 'Ожидающие подтверждения',
|
||||
'Pending user approvals' => 'Ожидающие подтверждения пользователей',
|
||||
'People' => 'Люди',
|
||||
'Permanently delete' => 'Удалить безвозвратно',
|
||||
'Permissions' => 'Права и разрешения',
|
||||
'Post-registration approval required' => 'Требуется последующее одобрение после регистрации',
|
||||
'Prioritised User Group' => 'Приоритетная группа пользователей',
|
||||
'Profile Permissions' => 'Права и разрешения профиля',
|
||||
'Profiles' => 'Профили',
|
||||
'Protected group can not be deleted!' => 'Защищённая группа не может быть удалена!',
|
||||
'Protected' => 'Защищено',
|
||||
'Remove from group' => 'Удалить из группы',
|
||||
'Re-send to all' => 'Отправить всем повторно',
|
||||
'Resend invitation email' => 'Повторно отправить приглашение по электронной почте',
|
||||
'Resend invitation?' => 'Отправить приглашение повторно?',
|
||||
'Resend invitations?' => 'Отправить приглашения повторно?',
|
||||
'Save' => 'Сохранить',
|
||||
'Search by name, email or id.' => 'Поиск по имени, email или id.',
|
||||
'Select Groups' => 'Выбрать группы',
|
||||
'Select a prioritised group whose members are displayed before all others when the sorting option \'Default\' is selected. The users within the group and the users outside the group are additionally sorted by their last login.' => 'Выберите приоритетную группу, участники которой отображаются раньше всех остальных при выборе параметра сортировки ‟По умолчанию”. Пользователи внутри группы и пользователи вне группы дополнительно сортируются по их последнему входу в систему.',
|
||||
'Select the profile fields you want to add as columns' => 'Выберите поля профиля, которые вы хотите добавить в виде столбцов',
|
||||
'Select which user information should be displayed in the \'People\' overview. You can select any profile fields, even those you have created individually. ' => 'Выберите, какая информация о пользователе должна отображаться в разделе «Люди». Вы можете выбрать любые поля профиля, даже те, которые вы создали индивидуально.',
|
||||
'Send & decline' => 'Отправить и отказать',
|
||||
'Send & save' => 'Отправить и сохранить',
|
||||
'Send a message to <strong>{displayName}</strong> ' => 'Отправьте сообщение для <strong>{displayName}</strong>',
|
||||
'Send a message' => 'Отправить сообщение',
|
||||
'Send invitation email again?' => 'Отправить приглашение по электронной почте ещё раз?',
|
||||
'Send invitation email' => 'Отправить приглашение по электронной почте',
|
||||
'Send notifications to users when added to or removed from the group.' => 'Отправлять уведомления пользователям при добавлении в группу или удалении из неё.',
|
||||
'Send' => 'Отправить',
|
||||
'Settings' => 'Настройки',
|
||||
'Show group selection at registration' => 'Показывать выбор группы при регистрации',
|
||||
'Subject' => 'Тема',
|
||||
'The Space memberships of all group members will be updated. This may take up to several minutes.' => 'Членство в сообществе для всех участников группы будет обновлено. Это может занять до нескольких минут.',
|
||||
'The default user idle timeout is used when user session is idle for a certain time. The user is automatically logged out after this time.' => 'Тайм-аут бездействия пользователя используется по умолчанию, когда сеанс пользователя бездействует/простаивает в течение определённого времени. По истечении этого времени пользователь автоматически выйдет из системы.',
|
||||
'The following list contains all pending sign-ups and invites.' => 'Этот список содержит все учётные записи ожидающие рассмотрения, а также приглашения.',
|
||||
'The following list contains all registered users awaiting an approval.' => 'Следующий список содержит всех зарегистрированных пользователей, ожидающих подтверждения.',
|
||||
'The message has been sent by email.' => 'Сообщение было отправлено по электронной почте.',
|
||||
'The registration was approved and the user was notified by email.' => 'Регистрация была одобрена, и пользователь получил уведомление по электронной почте.',
|
||||
'The registration was declined and the user was notified by email.' => 'Регистрация была отклонена, и пользователь получил уведомление по электронной почте.',
|
||||
'The registrations were approved and the users were notified by email.' => 'Регистрации были одобрены, и пользователи получили уведомление по электронной почте.',
|
||||
'The registrations were declined and the users were notified by email.' => 'Регистрации были отклонены, и пользователи получили уведомление по электронной почте.',
|
||||
'The selected invitations have been successfully deleted!' => 'Выбранные приглашения были успешно удалены!',
|
||||
'The selected invitations have been successfully re-sent!' => 'Выбранные приглашения успешно отправлены повторно!',
|
||||
'The user cannot be removed from this Group!' => 'Пользователь не может быть удалён из этой группы!',
|
||||
'The user cannot be removed from this Group, as users are required to be assigned to at least one Group.' => 'Пользователь не может быть удалён из этой группы, поскольку пользователи должны быть назначены хотя бы в одну группу.',
|
||||
'The user is the owner of these spaces:' => 'Пользователь является владельцем следующих сообществ:',
|
||||
'The users were notified by email.' => 'Пользователи были уведомлены по электронной почте.',
|
||||
'This option allows you to determine whether users may set individual permissions for their own profiles.' => 'Этот параметр позволяет вам определить, могут ли пользователи устанавливать индивидуальные права и разрешения для своих собственных профилей.',
|
||||
'This overview contains a list of each registered user with actions to view, edit and delete users.' => 'Ниже приведён список зарегистрированных пользователей с возможностью для просмотра, редактирования и удаления пользователей.',
|
||||
'This user owns no spaces.' => 'Этот пользователь не владеет никакими сообществами.',
|
||||
'Unapproved' => 'Не подтверждён',
|
||||
'User deletion process queued.' => 'Процесс удаления пользователя поставлен в очередь.',
|
||||
'User is already a member of this group.' => 'Пользователь уже является участником этой группы.',
|
||||
'User not found!' => 'Пользователь не найден!',
|
||||
'Users can be assigned to different groups (e.g. teams, departments etc.) with specific standard spaces, group managers and permissions.' => 'Пользователи могут быть назначены в различные группы (например: команды, отделы и так далее), с определёнными стандартными сообществами для той или иной группы, менеджерами групп и сопутствующими правами.',
|
||||
'Using this option any contributions (e.g. contents, comments or likes) of this user will be irrevocably deleted.' => 'При использовании этой опции любые материалы (например, записи и прочий контент, комментарии или лайки) этого пользователя будут безвозвратно удалены.',
|
||||
'View profile' => 'Смотреть профиль',
|
||||
'Visible for members only' => 'Виден только для участников',
|
||||
'Visible for members+guests' => 'Виден для участников и гостей',
|
||||
'Will be used as a filter in \'People\'.' => 'Будет использоваться в качестве фильтра в разделе «Люди».',
|
||||
'Yes' => 'Да',
|
||||
'You can only delete empty categories!' => 'Вы можете удалять только пустые категории!',
|
||||
'You cannot delete yourself!' => 'Вы не можете удалить себя (ну вы чего, в самом деле...)!',
|
||||
'never' => 'никогда',
|
||||
'{nbMsgSent} already sent' => '{nbMsgSent} уже отправлено',
|
||||
];
|
||||
|
@ -67,7 +67,7 @@ return [
|
||||
'Statistics' => 'Štatistiky',
|
||||
'The cron job for the background jobs (queue) does not seem to work properly.' => 'Zdá sa, že cron ulohy pozadí (queue) nefunguje správne.',
|
||||
'The cron job for the regular tasks (cron) does not seem to work properly.' => 'Zdá sa, že bežná cron úloha (cron) nefunguje správne.',
|
||||
'The mobile app push service is not available. Please install and configure the "Push Notifications" module.' => '',
|
||||
'The mobile app push service is not available. Please install and configure the "Push Notifications" module.' => 'Služba push mobilnej aplikácie nie je k dispozícii. Prosím nainštalujte a nakonfigurujte modul „Push Notifications“.',
|
||||
'This overview shows you all installed modules and allows you to enable, disable, configure and of course uninstall them. To discover new modules, take a look into our Marketplace. Please note that deactivating or uninstalling a module will result in the loss of any content that was created with that module.' => 'Tento prehľad zobrazuje všetky nainštalované moduly a umožňuje vám ich povoliť, zakázať, nakonfigurovať a samozrejme odinštalovať. Ak chcete objaviť nové moduly, pozrite sa na náš Marketplace. Upozorňujeme, že deaktivácia alebo odinštalovanie modulu bude mať za následok stratu akéhokoľvek obsahu, ktorý bol s týmto modulom vytvorený.',
|
||||
'Topics' => 'Témy',
|
||||
'Uninstall' => 'Odinštalovanie',
|
||||
|
@ -1,106 +1,105 @@
|
||||
<?php
|
||||
|
||||
return [
|
||||
'"Push Notifications (Firebase)" module and setup of Firebase API Key required' => 'Vyžaduje sa modul "Push Notifications (Firebase)" a nastavenie kľúča Firebase API Key',
|
||||
'<strong>CronJob</strong> Status' => '<strong>CronJob</strong> Stav',
|
||||
'<strong>Queue</strong> Status' => '<strong>Queue</strong> Stav',
|
||||
'About HumHub' => 'O HumHub',
|
||||
'Assets' => 'Aktíva',
|
||||
'Background Jobs' => 'Úlohy na pozadí',
|
||||
'Base URL' => 'Základná adresa URL',
|
||||
'Checking HumHub software prerequisites.' => 'Kontrola požiadavok softvéru HumHub.',
|
||||
'Configuration File' => 'Konfiguračný Súbor',
|
||||
'Current limit is: {currentLimit}' => 'Aktuálny limit je: {currentLimit}',
|
||||
'Custom Modules ({modules})' => 'Vlastné moduly ({modules})',
|
||||
'Database' => 'Databáza',
|
||||
'Database collation' => 'Verifikácia databázy',
|
||||
'Database driver - {driver}' => 'Databázový ovládač - {driver}',
|
||||
'Database migration results:' => 'Výsledky migrácie databázy:',
|
||||
'Delayed' => 'Oneskorený',
|
||||
'Deprecated Modules ({modules})' => 'Zastarané moduly ({modules})',
|
||||
'Detected URL: {currentBaseUrl}' => 'Zistená URL: {currentBaseUrl}',
|
||||
'Different table collations in the tables: {tables}' => 'Odlišné porovnávanie tabuliek v tabuľkách: {tables}',
|
||||
'Disabled Functions' => 'Zakázané Funkcie',
|
||||
'Displaying {count} entries per page.' => 'Zobrazuje sa {count} záznamov na stránku.',
|
||||
'Done' => 'Hotovo',
|
||||
'Driver' => 'Ovládač',
|
||||
'Dynamic Config' => 'Dynamické Nastavenie',
|
||||
'Error' => 'Chyba',
|
||||
'Flush entries' => 'Vyprázdniť položky',
|
||||
'HumHub' => 'HumHub',
|
||||
'HumHub Documentation' => 'HumHub Dokumentácia',
|
||||
'HumHub is currently in debug mode. Disable it when running on production!' => 'HumHub je momentálne v režime ladenia. Zakážte ho pri spustení v produkcii!',
|
||||
'ICU Data Version ({version})' => 'ICU Data Version ({version})',
|
||||
'ICU Data {icuMinVersion} or higher is required' => 'Vyžadujú sa ICU Data {icuMinVersion}, alebo vyššie',
|
||||
'ICU Version ({version})' => 'Verzia ICU ({version})',
|
||||
'ICU {icuMinVersion} or higher is required' => 'Vyžaduje sa ICU {icuMinVersion}, alebo vyššia',
|
||||
'Increase memory limit in {fileName}' => 'Zvýšiť limit pamäte v súbore {fileName}',
|
||||
'Info' => 'Info',
|
||||
'Install {phpExtension} Extension' => 'Nainštalujte rozšírenie {phpExtension}',
|
||||
'Install {phpExtension} Extension for APC Caching' => 'Nainštalujte rozšírenie {phpExtension} pre ukladanie do vyrovnávacej pamäte APC',
|
||||
'Install {phpExtension} Extension for e-mail S/MIME support.' => 'Nainštalujte rozšírenie {phpExtension} pre e-mailovú podporu S/MIME.',
|
||||
'Last run (daily):' => 'Naposledy spustené (denný interval):',
|
||||
'Last run (hourly):' => 'Naposledy spustené (hodinový interval):',
|
||||
'Licences' => 'Licencia',
|
||||
'Logging' => 'Logovanie',
|
||||
'Make sure that the `proc_open` function is not disabled.' => 'Uistite sa, že funkcia `proc_open` nie je zakázaná.',
|
||||
'Make {filePath} writable for the Webserver/PHP!' => 'Urobte {filePath} zapisovateľný pre webový server/PHP!',
|
||||
'Marketplace API Connection' => 'Marketplace API Connection',
|
||||
'Memory Limit ({memoryLimit})' => 'Limit Pamäte ({memoryLimit})',
|
||||
'Minimum Version {minVersion}' => 'Minimálna Verzia {minVersion}',
|
||||
'Mobile App - Push Service' => 'Mobilná aplikácia – Push Service',
|
||||
'Module Directory' => 'Adresár modulov',
|
||||
'Multibyte String Functions' => 'Funkcie viacbajtových reťazcov',
|
||||
'Must be updated manually. Check compatibility with newer HumHub versions before updating.' => 'Musí sa aktualizovať ručne. Pred aktualizáciou skontrolujte kompatibilitu s novšími verziami HumHub.',
|
||||
'Never' => 'Nikdy',
|
||||
'Optional' => 'Voliteľné',
|
||||
'Other' => 'Iné',
|
||||
'Outstanding database migrations:' => 'Nevybavené migrácie databázy:',
|
||||
'Permissions' => 'Povolenia',
|
||||
'Please refer to the documentation to setup the cronjobs and queue workers.' => 'Ak chcete nastaviť úlohy Cronu a vykonávanie Frony, pozrite si dokumentáciu.',
|
||||
'Prerequisites' => 'Požiadavky',
|
||||
'Pretty URLs' => 'Pekné URLs',
|
||||
'Profile Image' => 'Profilový obrázok',
|
||||
'Queue successfully cleared.' => 'Fronta bola úspešne vymazaná.',
|
||||
'Re-Run tests' => 'Znova spustiť testy',
|
||||
'Rebuild search index' => 'Obnoviť index vyhľadávania',
|
||||
'Recommended collation is {collation}' => 'Odporúčané zoradenie je {collation}',
|
||||
'Recommended collation is {collation} for the tables: {tables}' => 'Odporúčané zoradenie je {collation} pre tabuľky: {tables}',
|
||||
'Recommended engine is {engine} for the tables: {tables}' => 'Odporúčaný motor je {engine} pre tabuľky: {tables}',
|
||||
'Refresh' => 'Obnoviť',
|
||||
'Reserved' => 'Rezervované',
|
||||
'Runtime' => 'Beh programu',
|
||||
'Search index rebuild in progress.' => 'Prebieha vytváranie indexu vyhľadávania.',
|
||||
'Search term...' => 'Hľadaný výraz...',
|
||||
'See installation manual for more details.' => 'Ďalšie podrobnosti nájdete v návode na inštaláciu.',
|
||||
'Select category..' => 'Vybere kategóriu',
|
||||
'Select day' => 'Vyberte deň',
|
||||
'Select level...' => 'Vyberte úroveň...',
|
||||
'Settings' => 'Nastavenie',
|
||||
'Supported drivers: {drivers}' => 'Podporované ovládače: {drivers}',
|
||||
'Table collations' => 'Verifikácia Tabuľky',
|
||||
'Table engines' => 'Tabuľkový stroj',
|
||||
'The configuration file contains legacy settings. Invalid options: {options}' => 'Konfiguračný súbor obsahuje staršie nastavenia. Neplatné možnosti: {options}',
|
||||
'The current main HumHub database name is ' => 'Aktuálny názov databázy HumHub je',
|
||||
'The module(s) are no longer maintained and should be uninstalled.' => 'Modul(y) sa už neudržiavajú a mali by sa odinštalovať.',
|
||||
'There is a new update available! (Latest version: %version%)' => 'K dispozícii je nová aktualizácia! (Najnovšia verzia: %version%)',
|
||||
'This HumHub installation is up to date!' => 'Táto inštalácia HumHub je aktuálna!',
|
||||
'Total {count} entries found.' => 'Celkový počet nájdených záznamov: {count}.',
|
||||
'Trace' => 'Trasovať',
|
||||
'Update Database' => 'Aktualizácia Databázy',
|
||||
'Uploads' => 'Nahrané súbory',
|
||||
'Varying table engines are not supported.' => 'Stroje pre variabilné tabuľky nie sú podporované.',
|
||||
'Version' => 'Verzia',
|
||||
'Waiting' => 'Čakanie',
|
||||
'Warning' => 'Výstraha',
|
||||
'Web Application PHP version: `{webPhpVersion}`, Cron PHP Version: `{cronPhpVersion}`' => 'Verzia Web PHP:`{webPhpVersion}`, Verzia Cron PHP:`{cronPhpVersion}`',
|
||||
'Web Application and Cron uses the same PHP version' => 'Web Aplikácia a Cron používa rovnakú verziu PHP',
|
||||
'Web Application and Cron uses the same user' => 'Web Aplikácia a Cron používa rovnakého používateľa',
|
||||
'Web Application user: `{webUser}`, Cron user: `{cronUser}`' => 'Web Aplikácia user: `{webUser}`, Cron user: `{cronUser}`',
|
||||
'Your database is <b>up-to-date</b>.' => 'Tvoja databáza je <b>auktuálna</b>',
|
||||
'{imageExtension} Support' => 'Podpora {imageExtension}',
|
||||
'{phpExtension} Extension' => 'Rozšírenie {phpExtension}',
|
||||
'{phpExtension} Support' => 'Podpora {phpExtension}',
|
||||
'New migrations should be applied: {migrations}' => '',
|
||||
'No pending migrations' => '',
|
||||
'"Push Notifications (Firebase)" module and setup of Firebase API Key required' => 'Vyžaduje sa modul "Push Notifications (Firebase)" a nastavenie kľúča Firebase API Key',
|
||||
'<strong>CronJob</strong> Status' => '<strong>CronJob</strong> Stav',
|
||||
'<strong>Queue</strong> Status' => '<strong>Queue</strong> Stav',
|
||||
'About HumHub' => 'O HumHub',
|
||||
'Assets' => 'Aktíva',
|
||||
'Background Jobs' => 'Úlohy na pozadí',
|
||||
'Base URL' => 'Základná adresa URL',
|
||||
'Checking HumHub software prerequisites.' => 'Kontrola požiadavok softvéru HumHub.',
|
||||
'Configuration File' => 'Konfiguračný Súbor',
|
||||
'Current limit is: {currentLimit}' => 'Aktuálny limit je: {currentLimit}',
|
||||
'Custom Modules ({modules})' => 'Vlastné moduly ({modules})',
|
||||
'Database' => 'Databáza',
|
||||
'Database collation' => 'Verifikácia databázy',
|
||||
'Database driver - {driver}' => 'Databázový ovládač - {driver}',
|
||||
'Database migration results:' => 'Výsledky migrácie databázy:',
|
||||
'Delayed' => 'Oneskorený',
|
||||
'Deprecated Modules ({modules})' => 'Zastarané moduly ({modules})',
|
||||
'Detected URL: {currentBaseUrl}' => 'Zistená URL: {currentBaseUrl}',
|
||||
'Different table collations in the tables: {tables}' => 'Odlišné porovnávanie tabuliek v tabuľkách: {tables}',
|
||||
'Disabled Functions' => 'Zakázané Funkcie',
|
||||
'Displaying {count} entries per page.' => 'Zobrazuje sa {count} záznamov na stránku.',
|
||||
'Done' => 'Hotovo',
|
||||
'Driver' => 'Ovládač',
|
||||
'Dynamic Config' => 'Dynamické Nastavenie',
|
||||
'Error' => 'Chyba',
|
||||
'Flush entries' => 'Vyprázdniť položky',
|
||||
'HumHub' => 'HumHub',
|
||||
'HumHub Documentation' => 'HumHub Dokumentácia',
|
||||
'HumHub is currently in debug mode. Disable it when running on production!' => 'HumHub je momentálne v režime ladenia. Zakážte ho pri spustení v produkcii!',
|
||||
'ICU Data Version ({version})' => 'ICU Data Version ({version})',
|
||||
'ICU Data {icuMinVersion} or higher is required' => 'Vyžadujú sa ICU Data {icuMinVersion}, alebo vyššie',
|
||||
'ICU Version ({version})' => 'Verzia ICU ({version})',
|
||||
'ICU {icuMinVersion} or higher is required' => 'Vyžaduje sa ICU {icuMinVersion}, alebo vyššia',
|
||||
'Increase memory limit in {fileName}' => 'Zvýšiť limit pamäte v súbore {fileName}',
|
||||
'Info' => 'Info',
|
||||
'Install {phpExtension} Extension' => 'Nainštalujte rozšírenie {phpExtension}',
|
||||
'Install {phpExtension} Extension for APC Caching' => 'Nainštalujte rozšírenie {phpExtension} pre ukladanie do vyrovnávacej pamäte APC',
|
||||
'Install {phpExtension} Extension for e-mail S/MIME support.' => 'Nainštalujte rozšírenie {phpExtension} pre e-mailovú podporu S/MIME.',
|
||||
'Last run (daily):' => 'Naposledy spustené (denný interval):',
|
||||
'Last run (hourly):' => 'Naposledy spustené (hodinový interval):',
|
||||
'Licences' => 'Licencia',
|
||||
'Logging' => 'Logovanie',
|
||||
'Make sure that the `proc_open` function is not disabled.' => 'Uistite sa, že funkcia `proc_open` nie je zakázaná.',
|
||||
'Make {filePath} writable for the Webserver/PHP!' => 'Urobte {filePath} zapisovateľný pre webový server/PHP!',
|
||||
'Marketplace API Connection' => 'Marketplace API Connection',
|
||||
'Memory Limit ({memoryLimit})' => 'Limit Pamäte ({memoryLimit})',
|
||||
'Minimum Version {minVersion}' => 'Minimálna Verzia {minVersion}',
|
||||
'Mobile App - Push Service' => 'Mobilná aplikácia – Push Service',
|
||||
'Module Directory' => 'Adresár modulov',
|
||||
'Multibyte String Functions' => 'Funkcie viacbajtových reťazcov',
|
||||
'Must be updated manually. Check compatibility with newer HumHub versions before updating.' => 'Musí sa aktualizovať ručne. Pred aktualizáciou skontrolujte kompatibilitu s novšími verziami HumHub.',
|
||||
'Never' => 'Nikdy',
|
||||
'New migrations should be applied: {migrations}' => 'Mali by sa použiť nové migrácie: {migrations}',
|
||||
'No pending migrations' => 'Žiadne čakajúce migrácie',
|
||||
'Optional' => 'Voliteľné',
|
||||
'Other' => 'Iné',
|
||||
'Outstanding database migrations:' => 'Nevybavené migrácie databázy:',
|
||||
'Permissions' => 'Povolenia',
|
||||
'Please refer to the documentation to setup the cronjobs and queue workers.' => 'Ak chcete nastaviť úlohy Cronu a vykonávanie Frony, pozrite si dokumentáciu.',
|
||||
'Prerequisites' => 'Požiadavky',
|
||||
'Pretty URLs' => 'Pekné URLs',
|
||||
'Profile Image' => 'Profilový obrázok',
|
||||
'Queue successfully cleared.' => 'Fronta bola úspešne vymazaná.',
|
||||
'Re-Run tests' => 'Znova spustiť testy',
|
||||
'Rebuild search index' => 'Obnoviť index vyhľadávania',
|
||||
'Recommended collation is {collation}' => 'Odporúčané zoradenie je {collation}',
|
||||
'Recommended collation is {collation} for the tables: {tables}' => 'Odporúčané zoradenie je {collation} pre tabuľky: {tables}',
|
||||
'Recommended engine is {engine} for the tables: {tables}' => 'Odporúčaný motor je {engine} pre tabuľky: {tables}',
|
||||
'Refresh' => 'Obnoviť',
|
||||
'Reserved' => 'Rezervované',
|
||||
'Runtime' => 'Beh programu',
|
||||
'Search index rebuild in progress.' => 'Prebieha vytváranie indexu vyhľadávania.',
|
||||
'Search term...' => 'Hľadaný výraz...',
|
||||
'See installation manual for more details.' => 'Ďalšie podrobnosti nájdete v návode na inštaláciu.',
|
||||
'Select category..' => 'Vybere kategóriu',
|
||||
'Select day' => 'Vyberte deň',
|
||||
'Select level...' => 'Vyberte úroveň...',
|
||||
'Settings' => 'Nastavenie',
|
||||
'Supported drivers: {drivers}' => 'Podporované ovládače: {drivers}',
|
||||
'Table collations' => 'Verifikácia Tabuľky',
|
||||
'Table engines' => 'Tabuľkový stroj',
|
||||
'The configuration file contains legacy settings. Invalid options: {options}' => 'Konfiguračný súbor obsahuje staršie nastavenia. Neplatné možnosti: {options}',
|
||||
'The current main HumHub database name is ' => 'Aktuálny názov databázy HumHub je',
|
||||
'The module(s) are no longer maintained and should be uninstalled.' => 'Modul(y) sa už neudržiavajú a mali by sa odinštalovať.',
|
||||
'There is a new update available! (Latest version: %version%)' => 'K dispozícii je nová aktualizácia! (Najnovšia verzia: %version%)',
|
||||
'This HumHub installation is up to date!' => 'Táto inštalácia HumHub je aktuálna!',
|
||||
'Total {count} entries found.' => 'Celkový počet nájdených záznamov: {count}.',
|
||||
'Trace' => 'Trasovať',
|
||||
'Update Database' => 'Aktualizácia Databázy',
|
||||
'Uploads' => 'Nahrané súbory',
|
||||
'Varying table engines are not supported.' => 'Stroje pre variabilné tabuľky nie sú podporované.',
|
||||
'Version' => 'Verzia',
|
||||
'Waiting' => 'Čakanie',
|
||||
'Warning' => 'Výstraha',
|
||||
'Web Application PHP version: `{webPhpVersion}`, Cron PHP Version: `{cronPhpVersion}`' => 'Verzia Web PHP:`{webPhpVersion}`, Verzia Cron PHP:`{cronPhpVersion}`',
|
||||
'Web Application and Cron uses the same PHP version' => 'Web Aplikácia a Cron používa rovnakú verziu PHP',
|
||||
'Web Application and Cron uses the same user' => 'Web Aplikácia a Cron používa rovnakého používateľa',
|
||||
'Web Application user: `{webUser}`, Cron user: `{cronUser}`' => 'Web Aplikácia user: `{webUser}`, Cron user: `{cronUser}`',
|
||||
'Your database is <b>up-to-date</b>.' => 'Tvoja databáza je <b>auktuálna</b>',
|
||||
'{imageExtension} Support' => 'Podpora {imageExtension}',
|
||||
'{phpExtension} Extension' => 'Rozšírenie {phpExtension}',
|
||||
'{phpExtension} Support' => 'Podpora {phpExtension}',
|
||||
];
|
||||
|
@ -1,15 +1,18 @@
|
||||
<?php
|
||||
return array (
|
||||
'Access Admin Information' => 'Prístup k informáciám o správcovi',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Môže pristupovať do sekcie \'Administrácia -> Informácie\'.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Môže spravovať Priestory v časti „Správa -> Priestory“.',
|
||||
'Can manage general settings.' => 'Môže spravovať všeobecné nastavenia.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Môže spravovať moduly v sekcii \'Administration -> Modules\'',
|
||||
'Can manage users and groups' => 'Môže spravovať užívateľov a skupiny',
|
||||
'Can manage users and user profiles.' => 'Môže spravovať užívateľov a užívateľské profily',
|
||||
'Manage Groups' => 'Spravovať Skupiny',
|
||||
'Manage Modules' => 'Spravovať Moduly',
|
||||
'Manage Settings' => 'Spravovať Nastavenia',
|
||||
'Manage Spaces' => 'Spravovať Priestory',
|
||||
'Manage Users' => 'Spravovať Užívateľov',
|
||||
);
|
||||
|
||||
return [
|
||||
'Access Admin Information' => 'Prístup k informáciám o správcovi',
|
||||
'Can access the \'Administration -> Information\' section.' => 'Môže pristupovať do sekcie \'Administrácia -> Informácie\'.',
|
||||
'Can manage Spaces within the \'Administration -> Spaces\' section.' => 'Môže spravovať Priestory v časti „Správa -> Priestory“.',
|
||||
'Can manage general settings.' => 'Môže spravovať všeobecné nastavenia.',
|
||||
'Can manage modules within the \'Administration -> Modules\' section.' => 'Môže spravovať moduly v sekcii \'Administration -> Modules\'',
|
||||
'Can manage users and groups' => 'Môže spravovať užívateľov a skupiny',
|
||||
'Can manage users and user profiles.' => 'Môže spravovať užívateľov a užívateľské profily',
|
||||
'Manage Groups' => 'Spravovať Skupiny',
|
||||
'Manage Modules' => 'Spravovať Moduly',
|
||||
'Manage Settings' => 'Spravovať Nastavenia',
|
||||
'Manage Spaces' => 'Spravovať Priestory',
|
||||
'Manage Users' => 'Spravovať Užívateľov',
|
||||
'Can manage (e.g. edit or delete) all content (even private)' => '',
|
||||
'Manage All Content' => '',
|
||||
];
|
||||
|
Some files were not shown because too many files have changed in this diff Show More
Loading…
x
Reference in New Issue
Block a user