Merge branch 'master' into phpdoc-events

This commit is contained in:
bscheshirwork
2018-10-15 16:45:35 +03:00
40 changed files with 532 additions and 472 deletions

View File

@ -17,6 +17,8 @@
- Enh: Add controller module class reference (TonisOrmisson) - Enh: Add controller module class reference (TonisOrmisson)
- Enh: Replace the deprecated InvalidParamException in ClassMapHelper (TonisOrmisson) - Enh: Replace the deprecated InvalidParamException in ClassMapHelper (TonisOrmisson)
- Fix #242: Add POST filter for `admin/force-password-change` action (bscheshirwork) - Fix #242: Add POST filter for `admin/force-password-change` action (bscheshirwork)
- Fix #252: Delete check for unexpected property `allowPasswordRecovery` for resend email by admin (bscheshirwork)
- Fix #254: Rename `GDPR` properties to `lowerCamelCase` style (bscheshirwork)
- Enh #253: Add PHPDoc for events class (bscheshirwork) - Enh #253: Add PHPDoc for events class (bscheshirwork)
## 1.1.4 - February 19, 2018 ## 1.1.4 - February 19, 2018

View File

@ -5,7 +5,39 @@ Maybe you need to override the default's functionality of the module's controlle
Yii2 Modules have an attribute named `controllerMap` that you can configure with your very own controllers. Yii2 Modules have an attribute named `controllerMap` that you can configure with your very own controllers.
Please, before you override a controller's action, make sure that it won't be enough with using the Please, before you override a controller's action, make sure that it won't be enough with using the
(controller's events)[../events/controller-events.md]. [events](../events). For example you can use event for redirect after finish confirmation or recovery:
```php
'modules' => [
'user' => [
'controllerMap' => [
'recovery' => [
'class' => \Da\User\Controller\RecoveryController::class,
'on ' . \Da\User\Event\FormEvent::EVENT_AFTER_REQUEST => function (\Da\User\Event\FormEvent $event) {
\Yii::$app->controller->redirect(['/user/security/login']);
\Yii::$app->end();
},
'on ' . \Da\User\Event\ResetPasswordEvent::EVENT_AFTER_RESET => function (\Da\User\Event\ResetPasswordEvent $event) {
if ($event->token->user ?? false) {
\Yii::$app->user->login($event->token->user);
}
\Yii::$app->controller->redirect(\Yii::$app->getUser()->getReturnUrl());
\Yii::$app->end();
},
],
'registration' => [
'class' => \Da\User\Controller\RegistrationController::class,
'on ' . \Da\User\Event\FormEvent::EVENT_AFTER_REGISTER => function (\Da\User\Event\FormEvent $event) {
\Yii::$app->controller->redirect(['/user/security/login']);
\Yii::$app->end();
},
'on ' . \Da\User\Event\FormEvent::EVENT_AFTER_RESEND => function (\Da\User\Event\FormEvent $event) {
\Yii::$app->controller->redirect(['/user/security/login']);
\Yii::$app->end();
},
],
...
```
> See more about this attribute on > See more about this attribute on
> [ The Definitive Guide to Yii 2.0](http://www.yiiframework.com/doc-2.0/guide-structure-controllers.html#controller-map) > [ The Definitive Guide to Yii 2.0](http://www.yiiframework.com/doc-2.0/guide-structure-controllers.html#controller-map)

View File

@ -5,8 +5,8 @@ The General Data Protection Regulation (GDPR) (EU) 2016/679 is a regulation in E
## Enable GDPR ## Enable GDPR
To enable support in yii2-usuario set `enableGDPRcompliance` to `true` and set To enable support in yii2-usuario set `enableGdprCompliance` to `true` and set
`GDPRprivacyPolicyUrl` with an url pointing to your privacy policy. `gdprPrivacyPolicyUrl` with an url pointing to your privacy policy.
### At this moment a few measures apply to your app: ### At this moment a few measures apply to your app:
@ -27,7 +27,7 @@ GDPR says: [Article 20](https://gdpr.algolia.com/gdpr-article-20)
Users now have a privacy page in their account settings where they can export his/her personal data Users now have a privacy page in their account settings where they can export his/her personal data
in a csv file. in a csv file.
If you collect additional personal information you can to export by adding to If you collect additional personal information you can to export by adding to
`GDPRexportProperties`. `gdprExportProperties`.
> Export use `ArrayHelper::getValue()` to extract information, so you can use links to relations. > Export use `ArrayHelper::getValue()` to extract information, so you can use links to relations.
@ -41,7 +41,7 @@ The behavior differs depending module configuration.
If `$allowAccountDelete` is set to `true` the account will be fully deleted when clicking *Delete* button, If `$allowAccountDelete` is set to `true` the account will be fully deleted when clicking *Delete* button,
while when if that setting is set to `false` the module will remove social network connections and while when if that setting is set to `false` the module will remove social network connections and
replace the personal data with a custom alias defined in `$GDPRanonymPrefix`. replace the personal data with a custom alias defined in `$gdprAnonymizePrefix`.
The account will be blocked and marked as `gdpr_deleted`. The account will be blocked and marked as `gdpr_deleted`.

View File

@ -12,14 +12,14 @@ Setting this attribute will allow users to configure their login process with tw
By default, Google Authenticator App for two-factor authentication cycles in periods of 30 seconds. In order to allow By default, Google Authenticator App for two-factor authentication cycles in periods of 30 seconds. In order to allow
a bigger period so to avoid out of sync issues. a bigger period so to avoid out of sync issues.
#### enableGDPRcompliance (type: `boolean`, default: `false`) #### enableGdprCompliance (type: `boolean`, default: `false`)
Setting this attribute enables a serie of measures to comply with EU GDPR regulation, like data consent, right to be forgotten and data portability. Setting this attribute enables a serie of measures to comply with EU GDPR regulation, like data consent, right to be forgotten and data portability.
#### GDPRprivacyPolicyUrl (type: `array`, default: null) #### gdprPrivacyPolicyUrl (type: `array`, default: null)
The link to privacy policy. This will be used on registration form as "read our pivacy policy". It must follow the same format as `yii\helpers\Url::to` The link to privacy policy. This will be used on registration form as "read our pivacy policy". It must follow the same format as `yii\helpers\Url::to`
#### GDPRexportProperties (type: `array`) #### gdprExportProperties (type: `array`)
An array with the name of the user identity properties to be included when user request download of his data. An array with the name of the user identity properties to be included when user request download of his data.
Names can include relations like `profile.name`. Names can include relations like `profile.name`.
@ -39,7 +39,7 @@ Defaults to:
``` ```
#### GDPRanonymPrefix (type: `string`, default: `GDPR`) #### gdprAnonymizePrefix (type: `string`, default: `GDPR`)
Prefix to be used as a replacement when user requeste deletion of his data Prefix to be used as a replacement when user requeste deletion of his data

View File

@ -65,6 +65,10 @@ to
$module = Yii::$app->getModule('user'); $module = Yii::$app->getModule('user');
if(Yii::$app->session->has($module->switchIdentitySessionKey)) if(Yii::$app->session->has($module->switchIdentitySessionKey))
``` ```
* If you use event of Controllers see [events](../events) chapter of this docs. **All** of relative controller constant has been move to events class:
from `\dektrium\user\controllers\RecoveryController::EVENT_AFTER_REQUEST` to `\Da\User\Event\FormEvent::EVENT_AFTER_REQUEST`,
from `\dektrium\user\controllers\RecoveryController::EVENT_AFTER_RESET` to `\Da\User\Event\ResetPasswordEvent::EVENT_AFTER_RESET`, etc.
Map of constants can be find in [events](../events) chapter of this docs.
## Rbac migrations ## Rbac migrations

View File

@ -159,7 +159,7 @@ class SettingsController extends Controller
public function actionPrivacy() public function actionPrivacy()
{ {
if (!$this->module->enableGDPRcompliance) if (!$this->module->enableGdprCompliance)
throw new NotFoundHttpException(); throw new NotFoundHttpException();
return $this->render('privacy', [ return $this->render('privacy', [
@ -169,7 +169,7 @@ class SettingsController extends Controller
public function actionGdprdelete() public function actionGdprdelete()
{ {
if (!$this->module->enableGDPRcompliance) if (!$this->module->enableGdprCompliance)
throw new NotFoundHttpException(); throw new NotFoundHttpException();
/** @var GdprDeleteForm $form */ /** @var GdprDeleteForm $form */
@ -192,7 +192,7 @@ class SettingsController extends Controller
/* @var $security SecurityHelper */ /* @var $security SecurityHelper */
$security = $this->make(SecurityHelper::class); $security = $this->make(SecurityHelper::class);
$anonymReplacement = $this->module->GDPRanonymPrefix . $user->id; $anonymReplacement = $this->module->gdprAnonymizePrefix . $user->id;
$user->updateAttributes([ $user->updateAttributes([
'email' => $anonymReplacement . "@example.com", 'email' => $anonymReplacement . "@example.com",
@ -260,11 +260,11 @@ class SettingsController extends Controller
*/ */
public function actionExport() public function actionExport()
{ {
if (!$this->module->enableGDPRcompliance) if (!$this->module->enableGdprCompliance)
throw new NotFoundHttpException(); throw new NotFoundHttpException();
try { try {
$properties = $this->module->GDPRexportProperties; $properties = $this->module->gdprExportProperties;
$user = Yii::$app->user->identity; $user = Yii::$app->user->identity;
$data = [$properties, []]; $data = [$properties, []];

View File

@ -82,7 +82,7 @@ class RegistrationForm extends Model
'compareValue' => true, 'compareValue' => true,
'message' => Yii::t('usuario', 'Your consent is required to register'), 'message' => Yii::t('usuario', 'Your consent is required to register'),
'when' => function () { 'when' => function () {
return $this->module->enableGDPRcompliance; return $this->module->enableGdprCompliance;
}] }]
]; ];
} }
@ -106,7 +106,7 @@ class RegistrationForm extends Model
'gdpr_consent' => Yii::t('usuario', 'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}', 'gdpr_consent' => Yii::t('usuario', 'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}',
[ [
'privacyPolicy' => Html::a(Yii::t('usuario', 'privacy policy'), 'privacyPolicy' => Html::a(Yii::t('usuario', 'privacy policy'),
$this->module->GDPRprivacyPolicyUrl, $this->module->gdprPrivacyPolicyUrl,
['target' => '_blank'] ['target' => '_blank']
) )
]) ])

View File

@ -164,7 +164,7 @@ class User extends ActiveRecord implements IdentityInterface
TimestampBehavior::class, TimestampBehavior::class,
]; ];
if ($this->module->enableGDPRcompliance) { if ($this->module->enableGdprCompliance) {
$behaviors['GDPR'] = [ $behaviors['GDPR'] = [
'class' => TimestampBehavior::class, 'class' => TimestampBehavior::class,
'createdAtAttribute' => 'gdpr_consent_date', 'createdAtAttribute' => 'gdpr_consent_date',

View File

@ -29,12 +29,12 @@ class Module extends BaseModule
* - Forgot me button in profile view. * - Forgot me button in profile view.
* - Download my data button in profile * - Download my data button in profile
*/ */
public $enableGDPRcompliance = false; public $enableGdprCompliance = false;
/** /**
* @var null|array|string with the url to privacy policy. * @var null|array|string with the url to privacy policy.
* Must be in the same format as yii/helpers/Url::to requires. * Must be in the same format as yii/helpers/Url::to requires.
*/ */
public $GDPRprivacyPolicyUrl = null; public $gdprPrivacyPolicyUrl = null;
/** /**
* @var array with the name of the user identity properties to be included when user request download of his data. * @var array with the name of the user identity properties to be included when user request download of his data.
* Names can include relations like `profile.name`. * Names can include relations like `profile.name`.
@ -42,7 +42,7 @@ class Module extends BaseModule
* > The data subject shall have the right to receive the personal data concerning him or her, which he * > The data subject shall have the right to receive the personal data concerning him or her, which he
* > or she has provided to a controller, in a structured, commonly used and machine-readable format * > or she has provided to a controller, in a structured, commonly used and machine-readable format
*/ */
public $GDPRexportProperties = [ public $gdprExportProperties = [
'email', 'email',
'username', 'username',
'profile.public_email', 'profile.public_email',
@ -55,7 +55,7 @@ class Module extends BaseModule
/** /**
* @var string prefix to be used as a replacement when user requests deletion of his data. * @var string prefix to be used as a replacement when user requests deletion of his data.
*/ */
public $GDPRanonymPrefix = 'GDPR'; public $gdprAnonymizePrefix = 'GDPR';
/** /**
* @var bool whether to enable two factor authentication or not * @var bool whether to enable two factor authentication or not
*/ */

View File

@ -204,7 +204,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to confirm user. Please, try again.' => '', 'Unable to confirm user. Please, try again.' => '',
'Unable to create an account.' => '', 'Unable to create an account.' => '',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -204,7 +204,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to confirm user. Please, try again.' => '', 'Unable to confirm user. Please, try again.' => '',
'Unable to create an account.' => '', 'Unable to create an account.' => '',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -204,7 +204,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to confirm user. Please, try again.' => '', 'Unable to confirm user. Please, try again.' => '',
'Unable to create an account.' => '', 'Unable to create an account.' => '',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -45,7 +45,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to disable Two factor authentication.' => '', 'Unable to disable Two factor authentication.' => '',
'User will be required to change password at next login' => '', 'User will be required to change password at next login' => '',
@ -69,6 +69,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@Dies wird die Zweifaktor-Authentifizierung deaktivieren. Sind Sie sicher?@@', 'This will disable two-factor auth. Are you sure?' => '@@Dies wird die Zweifaktor-Authentifizierung deaktivieren. Sind Sie sicher?@@',
'Two Factor Authentication' => '@@Zweifaktor-Authentifizierung@@', 'Two Factor Authentication' => '@@Zweifaktor-Authentifizierung@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@Zweifaktor-Authentifizierung erfolgreich aktiviert.@@', 'Two factor successfully enabled.' => '@@Zweifaktor-Authentifizierung erfolgreich aktiviert.@@',
'Two-Factor Authentication' => '@@Zweifaktor-Authentifizierung@@', 'Two-Factor Authentication' => '@@Zweifaktor-Authentifizierung@@',
'Two-factor auth protects you against stolen credentials' => '@@Zweifaktor-Authentifizierung schützt Sie vor gestohlenen Zugangsdaten@@', 'Two-factor auth protects you against stolen credentials' => '@@Zweifaktor-Authentifizierung schützt Sie vor gestohlenen Zugangsdaten@@',
@ -78,7 +79,6 @@ return [
'Unable to disable two-factor authorization.' => '@@Unfähig die Zweifaktor-Authentifizierung zu deaktivieren.@@', 'Unable to disable two-factor authorization.' => '@@Unfähig die Zweifaktor-Authentifizierung zu deaktivieren.@@',
'We couldn\'t re-send the mail to confirm your address. ' => '@@Wir konnte die Bestätigungs E-Mail nicht erneut versenden@@', 'We couldn\'t re-send the mail to confirm your address. ' => '@@Wir konnte die Bestätigungs E-Mail nicht erneut versenden@@',
'We have sent confirmation links to both old and new email addresses. ' => '@@Wir haben Bestätigungs E-Mails an die neue und alte E-Mail Adresse versandt.@@', 'We have sent confirmation links to both old and new email addresses. ' => '@@Wir haben Bestätigungs E-Mails an die neue und alte E-Mail Adresse versandt.@@',
'{0, date, MMM dd, YYYY HH:mm}' => '@@@@',
'(not set)' => '(nicht gesetzt)', '(not set)' => '(nicht gesetzt)',
'A confirmation message has been sent to your new email address' => 'Eine Bestätigungsnachricht wurde an Ihre neue E-Mail Adresse versandt', 'A confirmation message has been sent to your new email address' => 'Eine Bestätigungsnachricht wurde an Ihre neue E-Mail Adresse versandt',
'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Eine Nachricht wurde an Ihre E-Mail-Adresse gesendet. Sie enthält einen Bestätigungslink den Sie klicken müssen um die Registrierung abzuschließen.', 'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Eine Nachricht wurde an Ihre E-Mail-Adresse gesendet. Sie enthält einen Bestätigungslink den Sie klicken müssen um die Registrierung abzuschließen.',
@ -293,6 +293,7 @@ return [
'Your confirmation token is invalid or expired' => 'Ihr Bestätigungs-Token ist falsch oder abgelaufen', 'Your confirmation token is invalid or expired' => 'Ihr Bestätigungs-Token ist falsch oder abgelaufen',
'Your email address has been changed' => 'Ihre E-Mail Adresse wurde geändert', 'Your email address has been changed' => 'Ihre E-Mail Adresse wurde geändert',
'Your profile has been updated' => 'Ihr Profil wurde gespeichert', 'Your profile has been updated' => 'Ihr Profil wurde gespeichert',
'{0, date, MMM dd, YYYY HH:mm}' => '@@@@',
'{0, date, MMMM dd, YYYY HH:mm}' => '{0, date, dd. MMMM YYYY, HH:mm}', '{0, date, MMMM dd, YYYY HH:mm}' => '{0, date, dd. MMMM YYYY, HH:mm}',
'{0} cannot be blank.' => '{0} darf nicht leer sein.', '{0} cannot be blank.' => '{0} darf nicht leer sein.',
]; ];

View File

@ -17,16 +17,9 @@
* NOTE: this file must be saved in UTF-8 encoding. * NOTE: this file must be saved in UTF-8 encoding.
*/ */
return [ return [
'Are you sure you wish the user to change their password at next login?' => '¿Seguro que desea que el usuario cambie su contraseña en el próximo inicio de sesión?', 'Two factor authentication protects you in case of stolen credentials' => '',
'Force password change at next login' => 'Forzar el cambio de contraseña en el próximo inicio de sesión', '{0, date, MMM dd, YYYY HH:mm}' => '',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Doy mi consentimiento para el procesamiento de mis datos personales y el uso de «cookies» para facilitar el funcionamiento de este sitio. Para más información lea nuestra {privacyPolicy}', 'Two factor authentication protects you against stolen credentials' => '@@La autenticación de dos factores le protege del robo de credenciales@@',
'Last login IP' => 'IP del último acceso',
'Last login time' => 'Hora del último acceso',
'Last password change' => 'Último cambio de contraseña',
'Password age' => 'Antigüedad de la contraseña',
'There was an error in saving user' => 'Se produjo un error al guardar el usuario',
'User will be required to change password at next login' => 'En el próximo inicio de sesión se le exigirá al usuario que cambie su contraseña',
'Your password has expired, you must change it now' => 'Su contraseña ha expirado, debe cambiarla ahora',
'(not set)' => '(sin establecer)', '(not set)' => '(sin establecer)',
'A confirmation message has been sent to your new email address' => 'Se ha enviado un mensaje de confirmación a su nueva dirección de correo electrónico', 'A confirmation message has been sent to your new email address' => 'Se ha enviado un mensaje de confirmación a su nueva dirección de correo electrónico',
'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Se ha enviado un mensaje a su dirección de correo electrónico. Contiene un enlace de confirmación que tiene que seguir para completar el registro.', 'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Se ha enviado un mensaje a su dirección de correo electrónico. Contiene un enlace de confirmación que tiene que seguir para completar el registro.',
@ -45,6 +38,7 @@ return [
'Are you sure you want to delete this user?' => '¿Seguro que desea eliminar este usuario?', 'Are you sure you want to delete this user?' => '¿Seguro que desea eliminar este usuario?',
'Are you sure you want to switch to this user for the rest of this Session?' => 'Seguro que desea cambiar a este usuario durante el resto de esta sesión?', 'Are you sure you want to switch to this user for the rest of this Session?' => 'Seguro que desea cambiar a este usuario durante el resto de esta sesión?',
'Are you sure you want to unblock this user?' => '¿Seguro que desea desbloquear este usuario?', 'Are you sure you want to unblock this user?' => '¿Seguro que desea desbloquear este usuario?',
'Are you sure you wish the user to change their password at next login?' => '¿Seguro que desea que el usuario cambie su contraseña en el próximo inicio de sesión?',
'Are you sure you wish to send a password recovery email to this user?' => 'Seguro que desea enviar un email de recuperación de contraseña a este usuario?', 'Are you sure you wish to send a password recovery email to this user?' => 'Seguro que desea enviar un email de recuperación de contraseña a este usuario?',
'Are you sure? Deleted user can not be restored' => '¿Está seguro? Los usuarios eliminados no se pueden restaurar', 'Are you sure? Deleted user can not be restored' => '¿Está seguro? Los usuarios eliminados no se pueden restaurar',
'Are you sure? There is no going back' => '¿Está seguro? No se podrá volver atrás', 'Are you sure? There is no going back' => '¿Está seguro? No se podrá volver atrás',
@ -114,10 +108,12 @@ return [
'Error sending welcome message to "{email}". Please try again later.' => 'Ha ocurrido un error al enviar el mensaje de bienvenida a "{email}". Por favor inténtalo de nuevo más tarde.', 'Error sending welcome message to "{email}". Please try again later.' => 'Ha ocurrido un error al enviar el mensaje de bienvenida a "{email}". Por favor inténtalo de nuevo más tarde.',
'Export my data' => 'Exportar mis datos', 'Export my data' => 'Exportar mis datos',
'Finish' => 'Finalizar', 'Finish' => 'Finalizar',
'Force password change at next login' => 'Forzar el cambio de contraseña en el próximo inicio de sesión',
'Forgot password?' => '¿Olvidó la contraseña?', 'Forgot password?' => '¿Olvidó la contraseña?',
'Gravatar email' => 'Correo electrónico de Gravatar', 'Gravatar email' => 'Correo electrónico de Gravatar',
'Hello' => 'Hola', 'Hello' => 'Hola',
'Here you can download your personal data in a comma separated values format.' => 'Aquí puede descargar su información personal en formato de valores separados por comas.', 'Here you can download your personal data in a comma separated values format.' => 'Aquí puede descargar su información personal en formato de valores separados por comas.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Doy mi consentimiento para el procesamiento de mis datos personales y el uso de «cookies» para facilitar el funcionamiento de este sitio. Para más información lea nuestra {privacyPolicy}',
'If you already registered, sign in and connect this account on settings page' => 'Si ya está registrado, inicie sesión y conecte esta cuenta en la página de configuración', 'If you already registered, sign in and connect this account on settings page' => 'Si ya está registrado, inicie sesión y conecte esta cuenta en la página de configuración',
'If you cannot click the link, please try pasting the text into your browser' => 'Si no puede pulsar en el enlace, intente pegar el siguiente texto en su navegador web', 'If you cannot click the link, please try pasting the text into your browser' => 'Si no puede pulsar en el enlace, intente pegar el siguiente texto en su navegador web',
'If you did not make this request you can ignore this email' => 'Si no hizo esta petición, puede ignorar este mensaje', 'If you did not make this request you can ignore this email' => 'Si no hizo esta petición, puede ignorar este mensaje',
@ -134,6 +130,9 @@ return [
'It will be deleted forever' => 'Será eliminado para siempre', 'It will be deleted forever' => 'Será eliminado para siempre',
'Items' => 'Elementos', 'Items' => 'Elementos',
'Joined on {0, date}' => 'Registrado el {0, date}', 'Joined on {0, date}' => 'Registrado el {0, date}',
'Last login IP' => 'IP del último acceso',
'Last login time' => 'Hora del último acceso',
'Last password change' => 'Último cambio de contraseña',
'Location' => 'Ubicación', 'Location' => 'Ubicación',
'Login' => 'Usuario', 'Login' => 'Usuario',
'Logout' => 'Cerrar sesión', 'Logout' => 'Cerrar sesión',
@ -152,6 +151,7 @@ return [
'Once you delete your account, there is no going back' => 'Una vez elimine su cuenta, no se podrá volver atrás', 'Once you delete your account, there is no going back' => 'Una vez elimine su cuenta, no se podrá volver atrás',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'Una vez que haya eliminado sus datos, no podrá volver a iniciar sesión con esta cuenta.', 'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'Una vez que haya eliminado sus datos, no podrá volver a iniciar sesión con esta cuenta.',
'Password' => 'Contraseña', 'Password' => 'Contraseña',
'Password age' => 'Antigüedad de la contraseña',
'Password has been changed' => 'Se ha cambiado la contraseña', 'Password has been changed' => 'Se ha cambiado la contraseña',
'Permissions' => 'Permisos', 'Permissions' => 'Permisos',
'Please be certain' => 'Por favor, asegúrese', 'Please be certain' => 'Por favor, asegúrese',
@ -196,6 +196,7 @@ return [
'The confirmation link is invalid or expired. Please try requesting a new one.' => 'El enlace de confirmación no es válido o ha caducado. Por favor, intenta a solicitar uno nuevo.', 'The confirmation link is invalid or expired. Please try requesting a new one.' => 'El enlace de confirmación no es válido o ha caducado. Por favor, intenta a solicitar uno nuevo.',
'The verification code is incorrect.' => 'El código de verificación es incorrecto.', 'The verification code is incorrect.' => 'El código de verificación es incorrecto.',
'There is neither role nor permission with name "{0}"' => 'No existe ningún rol o permiso con el nombre «{0}»', 'There is neither role nor permission with name "{0}"' => 'No existe ningún rol o permiso con el nombre «{0}»',
'There was an error in saving user' => 'Se produjo un error al guardar el usuario',
'This account has already been connected to another user' => 'Esta cuenta ya está conectada con otro usuario', 'This account has already been connected to another user' => 'Esta cuenta ya está conectada con otro usuario',
'This email address has already been taken' => 'Esta dirección de correo electrónico ya está siendo utilizada', 'This email address has already been taken' => 'Esta dirección de correo electrónico ya está siendo utilizada',
'This username has already been taken' => 'El nombre de usuario ya está siendo utilizado', 'This username has already been taken' => 'El nombre de usuario ya está siendo utilizado',
@ -206,7 +207,6 @@ return [
'Two Factor Authentication (2FA)' => 'Autenticación de dos factores (2FA)', 'Two Factor Authentication (2FA)' => 'Autenticación de dos factores (2FA)',
'Two factor authentication code' => 'Código de autenticación de dos factores', 'Two factor authentication code' => 'Código de autenticación de dos factores',
'Two factor authentication has been disabled.' => 'La autenticación de dos factores ha sido inhabilitada.', 'Two factor authentication has been disabled.' => 'La autenticación de dos factores ha sido inhabilitada.',
'Two factor authentication protects you against stolen credentials' => 'La autenticación de dos factores le protege del robo de credenciales',
'Two factor authentication successfully enabled.' => 'La autenticación de dos factores fue habilitada con éxito.', 'Two factor authentication successfully enabled.' => 'La autenticación de dos factores fue habilitada con éxito.',
'Unable to confirm user. Please, try again.' => 'No se ha podido confirmar el usuario. Por favor, inténtelo de nuevo.', 'Unable to confirm user. Please, try again.' => 'No se ha podido confirmar el usuario. Por favor, inténtelo de nuevo.',
'Unable to create an account.' => 'No se ha podido crear la cuenta.', 'Unable to create an account.' => 'No se ha podido crear la cuenta.',
@ -237,6 +237,7 @@ return [
'User has been deleted' => 'El usuario ha sido eliminado', 'User has been deleted' => 'El usuario ha sido eliminado',
'User is not found' => 'Usuario no encontrado', 'User is not found' => 'Usuario no encontrado',
'User not found.' => 'Usuario no encontrado.', 'User not found.' => 'Usuario no encontrado.',
'User will be required to change password at next login' => 'En el próximo inicio de sesión se le exigirá al usuario que cambie su contraseña',
'Username' => 'Usuario', 'Username' => 'Usuario',
'Users' => 'Usuarios', 'Users' => 'Usuarios',
'VKontakte' => 'VKontakte', 'VKontakte' => 'VKontakte',
@ -265,6 +266,7 @@ return [
'Your confirmation token is invalid or expired' => 'El token de confirmación no es válido o ha caducado', 'Your confirmation token is invalid or expired' => 'El token de confirmación no es válido o ha caducado',
'Your consent is required to register' => 'El consentimiento es necesario para poder registrarse', 'Your consent is required to register' => 'El consentimiento es necesario para poder registrarse',
'Your email address has been changed' => 'Su dirección de correo electrónico ha sido cambiada', 'Your email address has been changed' => 'Su dirección de correo electrónico ha sido cambiada',
'Your password has expired, you must change it now' => 'Su contraseña ha expirado, debe cambiarla ahora',
'Your personal information has been removed' => 'Su información personal ha sido eliminada', 'Your personal information has been removed' => 'Su información personal ha sido eliminada',
'Your profile has been updated' => 'Su perfil ha sido actualizado', 'Your profile has been updated' => 'Su perfil ha sido actualizado',
'privacy policy' => 'política de privacidad', 'privacy policy' => 'política de privacidad',

View File

@ -17,85 +17,15 @@
* NOTE: this file must be saved in UTF-8 encoding. * NOTE: this file must be saved in UTF-8 encoding.
*/ */
return [ return [
'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Saatsime sulle kinnituseks e-kirja. Registreerumise kinnitamiseks pead klikkma saadetud kirjas olevale lingile.',
'Are you sure you wish the user to change their password at next login?' => 'Oled sa kindel, et soovid, et kasutaja muudaks järgmisel sisselogimisel oma parooli?',
'Are you sure you wish to send a password recovery email to this user?' => 'Oled sa kindel, et soovid saata kasutaja e-mailile kirja parooli taastamiseks?',
'Authentication rule class {0} can not be instantiated' => '', 'Authentication rule class {0} can not be instantiated' => '',
'Authorization item successfully created.' => 'Õiguse loomine õnnestus.',
'Authorization item successfully removed.' => 'Õiguse eemaldamine õnnestus.',
'Authorization item successfully updated.' => 'Õiguse muutmine õnnestus.',
'Authorization rule has been added.' => 'Reegel on lisatud.',
'Authorization rule has been removed.' => 'Reegel on eemaldatud.',
'Authorization rule has been updated.' => 'Reegel on muudetud.',
'Awesome, almost there. Now you need to click the confirmation link sent to your new email address.' => 'Vinge, peaaegu valmis. Nüüd pead vaid klikkima kinnitus-lingil, mille saatsime su uuele e-maili aadressile.',
'Awesome, almost there. Now you need to click the confirmation link sent to your old email address.' => 'Vinge, peaaegu valmis. Nüüd pead vaid klikkima kinnitus-lingil, mille saatsime su vanale e-maili aadressile.',
'Back to privacy settings' => 'Tagasi privaatsus-seadetesse',
'Cancel' => 'Tühista',
'Cannot assign role "{0}" as the AuthManager is not configured on your console application.' => 'Ei saa omistada rolli "{0}" kuna AuthManager ei ole sinu konsoolirakenduse jaoks seadistatud.',
'Close' => 'Sulge',
'Created at' => 'Loodud',
'Data processing consent' => 'Nõusolek andmete töötlemiseks',
'Delete my account' => 'Kustuta minu konto',
'Delete personal data' => 'Kustuta minu isiklikud andmed',
'Deleted by GDPR request' => 'Kustutatud GDPRi alusel',
'Disable two factor authentication' => 'Peata kahefaktoriline autentimine',
'Download my data' => 'Lae minu andmed alla',
'Enable' => 'Aktiveeri',
'Enable two factor authentication' => 'Aktiveeri kahefaktoriline autentimine',
'Error sending registration message to "{email}". Please try again later.' => 'Registreerimiskirja saatmine aadressile "{email}" ebaõnnestus. Palun proovi hiljem uuesti.',
'Error sending welcome message to "{email}". Please try again later.' => 'Tervituskirja saatmine aadressile "{email}" ebaõnnestus. Palun proovi hiljem uuesti.',
'Export my data' => 'Ekspordi minu andmed',
'Force password change at next login' => 'Nõua parooli muutmist järgmisel sisselogimisel',
'Here you can download your personal data in a comma separated values format.' => 'Siit saad alla laadida sinuga seotud andmed CSV formaadis.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Nõusutn oma isikuandmete töötlemise ning küpsiste kasutamisega, et selle lehe kasutamiset hõlbustada. Lisainfot loe lehelt {privacyPolicy}.',
'Invalid password' => 'Vale parool',
'Invalid two factor authentication code' => 'Vale kahefaktorilise autentimise kood',
'Last login IP' => 'Viimane sisselogimise IP',
'Last login time' => 'Viimase sisselogimise aeg',
'Last password change' => 'Viimane parooli muutmine',
'Never' => 'Mitte kunagi',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'Peale oma andmete kustutamist, ei ole sul enam võimalik sellele kontole sisse logida.',
'Password age' => 'Parooli vanus',
'Privacy' => 'Privaatsus',
'Privacy settings' => 'Privaatsuse seaded',
'Required "key" cannot be empty.' => 'Nõutud "võti" ei või olla tühi.',
'Required "secret" cannot be empty.' => 'Nõutud "saladus" ei või olla tühi',
'Role "{0}" not found. Creating it.' => 'Rolli "{0}" ei leitud. Loon selle.',
'Rule class must extend "yii\\rbac\\Rule".' => '', 'Rule class must extend "yii\\rbac\\Rule".' => '',
'Rule {0} does not exists' => 'Rolli {0} ei ole olemas',
'Scan the QrCode with Google Authenticator App, then insert its temporary code on the box and submit.' => 'Skaneeri QR kood Google Authenticatori äpiga ning seejärel sisesta sealt saadud ajutine kood siia kasti ning vajuta nupule.',
'Send password recovery email' => 'Saada parooli taastamise kiri',
'The "recaptcha" component must be configured.' => 'Komponent "recaptcha" peab olema seadistatud.',
'The verification code is incorrect.' => 'Kinnituskood on vale.',
'There was an error in saving user' => 'Kasutaja salvestamisel tekkis viga',
'This will disable two factor authentication. Are you sure?' => 'Oled sa kindel, et soovid tühistada kahefaktorilise autentimise?',
'This will remove your personal data from this site. You will no longer be able to sign in.' => 'Sellega eemaldatakse sinu isiklikud andmed sellelt lehelt. Sa ei saa edaspidi enam sellele kontole sisse logida.',
'Two Factor Authentication (2FA)' => 'Kahefaktoriline autentimine (2FA)',
'Two factor authentication code' => 'Kahefaktorilise autentimise kood',
'Two factor authentication has been disabled.' => 'Kahefaktoriline autentimine on deaktiveeritud',
'Two factor authentication protects you against stolen credentials' => 'Kahefaktoriline autentimine kaitseb sind paroolide varguse korral',
'Two factor authentication successfully enabled.' => 'Kahefaktorilise autentimise aktiveerimine õnnestus.',
'Unable to disable Two factor authentication.' => 'Ei saa deaktiveerida kahefaktorilist autentimist.',
'Unable to send recovery message to the user' => 'Ei õnnestu kasutajale saata taastamiskirja',
'User account could not be created.' => 'Kasutajakonto loomine ebaõnnestus.',
'User could not be registered.' => 'Kasutaja registreerimine ebaõnnestus.',
'User not found.' => 'Ei leidnud kasutajat.',
'User will be required to change password at next login' => 'Kasutajalt nõutakse järgmisel sisselogimisel parooli muutmist',
'VKontakte' => '', 'VKontakte' => '',
'Verification failed. Please, enter new code.' => 'Kontrollimine ebaõnnestus. Palun sisesta uus kood.',
'We couldn\'t re-send the mail to confirm your address. Please, verify is the correct email or if it has been confirmed already.' => 'Kirja saatmine e-maili aadressi kinnitamiseks ebaõnnestus. Palun kontrolli, kas aadress on õige või kas see on juba kinnitatud.',
'We have sent confirmation links to both old and new email addresses. You must click both links to complete your request.' => 'Saatstime kinnituskirja nii vanale kui uuele e-maili aadressile. Oma soovi kinnitamiseks pead klikkima mõlemas kirjas olevale kinnituslingile.',
'Yandex' => '', 'Yandex' => '',
'You are about to delete all your personal data from this site.' => 'Sa oled kustutamas kõiki oma isiklikke andmeid sellel lehel.',
'Your consent is required to register' => 'Registreerumiseks on vaja sinu nõusolekut',
'Your password has expired, you must change it now' => 'Sinu parool on aegunud, pead seda uuendama.',
'Your personal information has been removed' => 'Sinu isiklikud andmed on kustutatud',
'privacy policy' => 'privaatsuspoliitika',
'{0, date, MMM dd, YYYY HH:mm}' => '', '{0, date, MMM dd, YYYY HH:mm}' => '',
'{0, date, MMMM dd, YYYY HH:mm}' => '', '{0, date, MMMM dd, YYYY HH:mm}' => '',
'{0} cannot be blank.' => '{0} ei või olla tühi.',
'(not set)' => '(määramata)', '(not set)' => '(määramata)',
'A confirmation message has been sent to your new email address' => 'Saatsime sinu uuele e-maili aadressile kinnituskirja', 'A confirmation message has been sent to your new email address' => 'Saatsime sinu uuele e-maili aadressile kinnituskirja',
'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Saatsime sulle kinnituseks e-kirja. Registreerumise kinnitamiseks pead klikkma saadetud kirjas olevale lingile.',
'A new confirmation link has been sent' => 'Uus kinnituslink on saadetud', 'A new confirmation link has been sent' => 'Uus kinnituslink on saadetud',
'A password will be generated automatically if not provided' => 'Parool genereeritakse automaatselt, kui ei ole seatud', 'A password will be generated automatically if not provided' => 'Parool genereeritakse automaatselt, kui ei ole seatud',
'Account' => 'Konto', 'Account' => 'Konto',
@ -111,18 +41,32 @@ return [
'Are you sure you want to delete this user?' => 'Oled kindel, et tahad selle kasutaja kustutada?', 'Are you sure you want to delete this user?' => 'Oled kindel, et tahad selle kasutaja kustutada?',
'Are you sure you want to switch to this user for the rest of this Session?' => 'Oled sa kindel, et soovid ülejäänud sessiooni ajaks lülituda ümber sellele kasutajale?', 'Are you sure you want to switch to this user for the rest of this Session?' => 'Oled sa kindel, et soovid ülejäänud sessiooni ajaks lülituda ümber sellele kasutajale?',
'Are you sure you want to unblock this user?' => 'Oled kindel, et tahad selle kasutaja blokeerimise tühistada?', 'Are you sure you want to unblock this user?' => 'Oled kindel, et tahad selle kasutaja blokeerimise tühistada?',
'Are you sure you wish the user to change their password at next login?' => 'Oled sa kindel, et soovid, et kasutaja muudaks järgmisel sisselogimisel oma parooli?',
'Are you sure you wish to send a password recovery email to this user?' => 'Oled sa kindel, et soovid saata kasutaja e-mailile kirja parooli taastamiseks?',
'Are you sure? Deleted user can not be restored' => 'Oled sa kindel? Kustutatud kasutajat ei saa enam taastada', 'Are you sure? Deleted user can not be restored' => 'Oled sa kindel? Kustutatud kasutajat ei saa enam taastada',
'Are you sure? There is no going back' => 'Oled sa kindel? Siit tagasiteed ei ole', 'Are you sure? There is no going back' => 'Oled sa kindel? Siit tagasiteed ei ole',
'Assignments' => 'Omistamised', 'Assignments' => 'Omistamised',
'Assignments have been updated' => 'Omistamised uuendati', 'Assignments have been updated' => 'Omistamised uuendati',
'Auth item with such name already exists' => 'Sellise nimega õigus on juba olemas', 'Auth item with such name already exists' => 'Sellise nimega õigus on juba olemas',
'Authorization item successfully created.' => 'Õiguse loomine õnnestus.',
'Authorization item successfully removed.' => 'Õiguse eemaldamine õnnestus.',
'Authorization item successfully updated.' => 'Õiguse muutmine õnnestus.',
'Authorization rule has been added.' => 'Reegel on lisatud.',
'Authorization rule has been removed.' => 'Reegel on eemaldatud.',
'Authorization rule has been updated.' => 'Reegel on muudetud.',
'Awesome, almost there. Now you need to click the confirmation link sent to your new email address.' => 'Vinge, peaaegu valmis. Nüüd pead vaid klikkima kinnitus-lingil, mille saatsime su uuele e-maili aadressile.',
'Awesome, almost there. Now you need to click the confirmation link sent to your old email address.' => 'Vinge, peaaegu valmis. Nüüd pead vaid klikkima kinnitus-lingil, mille saatsime su vanale e-maili aadressile.',
'Back to privacy settings' => 'Tagasi privaatsus-seadetesse',
'Bio' => 'Bio', 'Bio' => 'Bio',
'Block' => 'Blokeeri', 'Block' => 'Blokeeri',
'Block status' => 'Blokeerimise staatus', 'Block status' => 'Blokeerimise staatus',
'Blocked at {0, date, MMMM dd, YYYY HH:mm}' => 'Blokeeritud: {0, date, MMMM dd, YYYY HH:mm}', 'Blocked at {0, date, MMMM dd, YYYY HH:mm}' => 'Blokeeritud: {0, date, MMMM dd, YYYY HH:mm}',
'Cancel' => 'Tühista',
'Cannot assign role "{0}" as the AuthManager is not configured on your console application.' => 'Ei saa omistada rolli "{0}" kuna AuthManager ei ole sinu konsoolirakenduse jaoks seadistatud.',
'Change your avatar at Gravatar.com' => 'Muuda oma avatari Gravatar.com-is', 'Change your avatar at Gravatar.com' => 'Muuda oma avatari Gravatar.com-is',
'Children' => 'All-osad', 'Children' => 'All-osad',
'Class' => 'Klass', 'Class' => 'Klass',
'Close' => 'Sulge',
'Complete password reset on {0}' => 'Lõpeta {0} parooli uuendamine', 'Complete password reset on {0}' => 'Lõpeta {0} parooli uuendamine',
'Confirm' => 'Kinnita', 'Confirm' => 'Kinnita',
'Confirm account on {0}' => 'Kinnita {0} konto', 'Confirm account on {0}' => 'Kinnita {0} konto',
@ -139,24 +83,39 @@ return [
'Create new permission' => 'Loo uus õigus', 'Create new permission' => 'Loo uus õigus',
'Create new role' => 'Loo uus roll', 'Create new role' => 'Loo uus roll',
'Create new rule' => 'Loo uus reegel', 'Create new rule' => 'Loo uus reegel',
'Created at' => 'Loodud',
'Credentials will be sent to the user by email' => 'Konto andmed saadetakse kasutajale e-mailiga', 'Credentials will be sent to the user by email' => 'Konto andmed saadetakse kasutajale e-mailiga',
'Current password' => 'Praegune parool', 'Current password' => 'Praegune parool',
'Current password is not valid' => 'Praegune parool ei ole õige', 'Current password is not valid' => 'Praegune parool ei ole õige',
'Data processing consent' => 'Nõusolek andmete töötlemiseks',
'Delete' => 'Kustuta', 'Delete' => 'Kustuta',
'Delete account' => 'Kustuta konto', 'Delete account' => 'Kustuta konto',
'Delete my account' => 'Kustuta minu konto',
'Delete personal data' => 'Kustuta minu isiklikud andmed',
'Deleted by GDPR request' => 'Kustutatud GDPRi alusel',
'Description' => 'Kirjeldus', 'Description' => 'Kirjeldus',
'Didn\'t receive confirmation message?' => 'Ei ole saanud kinnituskirja?', 'Didn\'t receive confirmation message?' => 'Ei ole saanud kinnituskirja?',
'Disable two factor authentication' => 'Peata kahefaktoriline autentimine',
'Disconnect' => 'Ühenda lahti', 'Disconnect' => 'Ühenda lahti',
'Don\'t have an account? Sign up!' => 'Ei ole veel kontot? Liitu!', 'Don\'t have an account? Sign up!' => 'Ei ole veel kontot? Liitu!',
'Download my data' => 'Lae minu andmed alla',
'Email' => 'Emaili aadress', 'Email' => 'Emaili aadress',
'Email (public)' => 'Emaili aadress (avalik)', 'Email (public)' => 'Emaili aadress (avalik)',
'Enable' => 'Aktiveeri',
'Enable two factor authentication' => 'Aktiveeri kahefaktoriline autentimine',
'Error occurred while changing password' => 'Viga parooli vahetamisel.', 'Error occurred while changing password' => 'Viga parooli vahetamisel.',
'Error occurred while confirming user' => 'Viga kasutaja kinnitamisel', 'Error occurred while confirming user' => 'Viga kasutaja kinnitamisel',
'Error occurred while deleting user' => 'Viga kasutaja kustutamisel', 'Error occurred while deleting user' => 'Viga kasutaja kustutamisel',
'Error sending registration message to "{email}". Please try again later.' => 'Registreerimiskirja saatmine aadressile "{email}" ebaõnnestus. Palun proovi hiljem uuesti.',
'Error sending welcome message to "{email}". Please try again later.' => 'Tervituskirja saatmine aadressile "{email}" ebaõnnestus. Palun proovi hiljem uuesti.',
'Export my data' => 'Ekspordi minu andmed',
'Finish' => 'Lõpeta', 'Finish' => 'Lõpeta',
'Force password change at next login' => 'Nõua parooli muutmist järgmisel sisselogimisel',
'Forgot password?' => 'Unustasid parooli?', 'Forgot password?' => 'Unustasid parooli?',
'Gravatar email' => 'Gravatari e-posti aadress', 'Gravatar email' => 'Gravatari e-posti aadress',
'Hello' => 'Tere', 'Hello' => 'Tere',
'Here you can download your personal data in a comma separated values format.' => 'Siit saad alla laadida sinuga seotud andmed CSV formaadis.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Nõusutn oma isikuandmete töötlemise ning küpsiste kasutamisega, et selle lehe kasutamiset hõlbustada. Lisainfot loe lehelt {privacyPolicy}.',
'If you already registered, sign in and connect this account on settings page' => 'Kui oled juba registreerunud, logi sisse ja ühenda see konto oma seadete lehel', 'If you already registered, sign in and connect this account on settings page' => 'Kui oled juba registreerunud, logi sisse ja ühenda see konto oma seadete lehel',
'If you cannot click the link, please try pasting the text into your browser' => 'Kui sa ei saa lingil klikkida, proovi see kleepida oma brausri aadressireale', 'If you cannot click the link, please try pasting the text into your browser' => 'Kui sa ei saa lingil klikkida, proovi see kleepida oma brausri aadressireale',
'If you did not make this request you can ignore this email' => 'Kui sa ei ole seda päringut tellinud, siis võid seda kirja ignoreerida', 'If you did not make this request you can ignore this email' => 'Kui sa ei ole seda päringut tellinud, siis võid seda kirja ignoreerida',
@ -167,16 +126,22 @@ return [
'Information' => 'Informatsioon', 'Information' => 'Informatsioon',
'Invalid login or password' => 'Vale kasutajanimi või parool', 'Invalid login or password' => 'Vale kasutajanimi või parool',
'Invalid or expired link' => 'Vale või aegunud link', 'Invalid or expired link' => 'Vale või aegunud link',
'Invalid password' => 'Vale parool',
'Invalid two factor authentication code' => 'Vale kahefaktorilise autentimise kood',
'Invalid value' => 'Ebasobiv väärtus', 'Invalid value' => 'Ebasobiv väärtus',
'It will be deleted forever' => 'See kustutatakse alatiseks', 'It will be deleted forever' => 'See kustutatakse alatiseks',
'Items' => 'Õigused', 'Items' => 'Õigused',
'Joined on {0, date}' => 'Liitunud: {0, date}', 'Joined on {0, date}' => 'Liitunud: {0, date}',
'Last login IP' => 'Viimane sisselogimise IP',
'Last login time' => 'Viimase sisselogimise aeg',
'Last password change' => 'Viimane parooli muutmine',
'Location' => 'Asukoht', 'Location' => 'Asukoht',
'Login' => 'Sisene', 'Login' => 'Sisene',
'Logout' => 'Logi välja', 'Logout' => 'Logi välja',
'Manage users' => 'Halda kasutajaid', 'Manage users' => 'Halda kasutajaid',
'Name' => 'Nimi', 'Name' => 'Nimi',
'Networks' => 'Võrgustikud', 'Networks' => 'Võrgustikud',
'Never' => 'Mitte kunagi',
'New email' => 'Uus e-kiri', 'New email' => 'Uus e-kiri',
'New password' => 'Uus parool', 'New password' => 'Uus parool',
'New permission' => 'Uus õigus', 'New permission' => 'Uus õigus',
@ -186,12 +151,16 @@ return [
'Not blocked' => 'Ei ole blokitud', 'Not blocked' => 'Ei ole blokitud',
'Not found' => 'Ei leitud', 'Not found' => 'Ei leitud',
'Once you delete your account, there is no going back' => 'Kui oma konto kustutad, ei ole enam tagasiteed', 'Once you delete your account, there is no going back' => 'Kui oma konto kustutad, ei ole enam tagasiteed',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'Peale oma andmete kustutamist, ei ole sul enam võimalik sellele kontole sisse logida.',
'Password' => 'Parool', 'Password' => 'Parool',
'Password age' => 'Parooli vanus',
'Password has been changed' => 'Parool on muudetud', 'Password has been changed' => 'Parool on muudetud',
'Permissions' => 'Õigused', 'Permissions' => 'Õigused',
'Please be certain' => 'Palun ole kindel', 'Please be certain' => 'Palun ole kindel',
'Please click the link below to complete your password reset' => 'Palun kliki alloleval lingil, et oma parooli uuendada', 'Please click the link below to complete your password reset' => 'Palun kliki alloleval lingil, et oma parooli uuendada',
'Please fix following errors:' => 'Palun paranda järgnevad vead:', 'Please fix following errors:' => 'Palun paranda järgnevad vead:',
'Privacy' => 'Privaatsus',
'Privacy settings' => 'Privaatsuse seaded',
'Profile' => 'Profiil', 'Profile' => 'Profiil',
'Profile details' => 'Profiili andmed', 'Profile details' => 'Profiili andmed',
'Profile details have been updated' => 'Profiili andmed on uuendatud', 'Profile details have been updated' => 'Profiili andmed on uuendatud',
@ -204,34 +173,52 @@ return [
'Registration time' => 'Registreerimise aeg', 'Registration time' => 'Registreerimise aeg',
'Remember me next time' => 'Jäta mind meelde', 'Remember me next time' => 'Jäta mind meelde',
'Request new confirmation message' => 'Telli uus kinnituskiri', 'Request new confirmation message' => 'Telli uus kinnituskiri',
'Required "key" cannot be empty.' => 'Nõutud "võti" ei või olla tühi.',
'Required "secret" cannot be empty.' => 'Nõutud "saladus" ei või olla tühi',
'Reset your password' => 'Lähtesta parool', 'Reset your password' => 'Lähtesta parool',
'Role "{0}" not found. Creating it.' => 'Rolli "{0}" ei leitud. Loon selle.',
'Roles' => 'Rollid', 'Roles' => 'Rollid',
'Rule' => 'Reegel', 'Rule' => 'Reegel',
'Rule name' => 'Reegli nimi', 'Rule name' => 'Reegli nimi',
'Rule name {0} is already in use' => 'Reegel nimega {0} on juba kasutusel', 'Rule name {0} is already in use' => 'Reegel nimega {0} on juba kasutusel',
'Rule {0} does not exists' => 'Rolli {0} ei ole olemas',
'Rule {0} not found.' => 'Reeglit {0} ei leitud', 'Rule {0} not found.' => 'Reeglit {0} ei leitud',
'Rules' => 'Reeglid', 'Rules' => 'Reeglid',
'Save' => 'Salvesta', 'Save' => 'Salvesta',
'Scan the QrCode with Google Authenticator App, then insert its temporary code on the box and submit.' => 'Skaneeri QR kood Google Authenticatori äpiga ning seejärel sisesta sealt saadud ajutine kood siia kasti ning vajuta nupule.',
'Send password recovery email' => 'Saada parooli taastamise kiri',
'Sign in' => 'Logi sisse', 'Sign in' => 'Logi sisse',
'Sign up' => 'Liitu', 'Sign up' => 'Liitu',
'Something went wrong' => 'Midagi läks valesti', 'Something went wrong' => 'Midagi läks valesti',
'Switch identities is disabled.' => 'Identiteedi vahetamine on keelatud', 'Switch identities is disabled.' => 'Identiteedi vahetamine on keelatud',
'Thank you for signing up on {0}' => 'Aitäh, et liitusid lehega {0}', 'Thank you for signing up on {0}' => 'Aitäh, et liitusid lehega {0}',
'Thank you, registration is now complete.' => 'Aitäh, oled nüüd registreeritud', 'Thank you, registration is now complete.' => 'Aitäh, oled nüüd registreeritud',
'The "recaptcha" component must be configured.' => 'Komponent "recaptcha" peab olema seadistatud.',
'The confirmation link is invalid or expired. Please try requesting a new one.' => 'Kinnituslink on vale või aegunud. Palun proovi tellida uus.', 'The confirmation link is invalid or expired. Please try requesting a new one.' => 'Kinnituslink on vale või aegunud. Palun proovi tellida uus.',
'The verification code is incorrect.' => 'Kinnituskood on vale.',
'There is neither role nor permission with name "{0}"' => 'Ei ole rolli ega õigust nimega "{0}"', 'There is neither role nor permission with name "{0}"' => 'Ei ole rolli ega õigust nimega "{0}"',
'There was an error in saving user' => 'Kasutaja salvestamisel tekkis viga',
'This account has already been connected to another user' => 'See konto on juba kinnitatud teise kasutaja poolt', 'This account has already been connected to another user' => 'See konto on juba kinnitatud teise kasutaja poolt',
'This email address has already been taken' => 'See e-maili aadress on juba võetud', 'This email address has already been taken' => 'See e-maili aadress on juba võetud',
'This username has already been taken' => 'See kasutajanimi on juba võetud', 'This username has already been taken' => 'See kasutajanimi on juba võetud',
'This will disable two factor authentication. Are you sure?' => 'Oled sa kindel, et soovid tühistada kahefaktorilise autentimise?',
'This will remove your personal data from this site. You will no longer be able to sign in.' => 'Sellega eemaldatakse sinu isiklikud andmed sellelt lehelt. Sa ei saa edaspidi enam sellele kontole sisse logida.',
'Time zone' => 'Ajavöönd', 'Time zone' => 'Ajavöönd',
'Time zone is not valid' => 'Ajavöönd ei ole korrektne', 'Time zone is not valid' => 'Ajavöönd ei ole korrektne',
'Two Factor Authentication (2FA)' => 'Kahefaktoriline autentimine (2FA)',
'Two factor authentication code' => 'Kahefaktorilise autentimise kood',
'Two factor authentication has been disabled.' => 'Kahefaktoriline autentimine on deaktiveeritud',
'Two factor authentication protects you in case of stolen credentials' => 'Kahefaktoriline autentimine kaitseb sind paroolide varguse korral',
'Two factor authentication successfully enabled.' => 'Kahefaktorilise autentimise aktiveerimine õnnestus.',
'Unable to confirm user. Please, try again.' => 'Kasutaja kinnitamine ebaõnnestus. Palun proovi uuesti.', 'Unable to confirm user. Please, try again.' => 'Kasutaja kinnitamine ebaõnnestus. Palun proovi uuesti.',
'Unable to create an account.' => 'Konto loomine ebaõnnestus.', 'Unable to create an account.' => 'Konto loomine ebaõnnestus.',
'Unable to create authorization item.' => 'Õiguse loomine ebaõnnestus.', 'Unable to create authorization item.' => 'Õiguse loomine ebaõnnestus.',
'Unable to create new authorization rule.' => 'Reegli loomine ebaõnnestus.', 'Unable to create new authorization rule.' => 'Reegli loomine ebaõnnestus.',
'Unable to delete user. Please, try again later.' => 'kasutaja kustutamine ebaõnnestus. Palun proovi hiljem uuesti.', 'Unable to delete user. Please, try again later.' => 'kasutaja kustutamine ebaõnnestus. Palun proovi hiljem uuesti.',
'Unable to disable Two factor authentication.' => 'Ei saa deaktiveerida kahefaktorilist autentimist.',
'Unable to remove authorization item.' => 'Õiguse eemaldamine ebaõnnestus.', 'Unable to remove authorization item.' => 'Õiguse eemaldamine ebaõnnestus.',
'Unable to send confirmation link' => 'Kinnituse lingi saatmine ebaõnnestus.', 'Unable to send confirmation link' => 'Kinnituse lingi saatmine ebaõnnestus.',
'Unable to send recovery message to the user' => 'Ei õnnestu kasutajale saata taastamiskirja',
'Unable to update authorization item.' => 'Õiguse muutmine ebaõnnestus.', 'Unable to update authorization item.' => 'Õiguse muutmine ebaõnnestus.',
'Unable to update authorization rule.' => 'Reegli muutmine ebaõnnestus', 'Unable to update authorization rule.' => 'Reegli muutmine ebaõnnestus',
'Unable to update block status.' => 'Blokkimise staatuse muutmine ebaõnnestus.', 'Unable to update block status.' => 'Blokkimise staatuse muutmine ebaõnnestus.',
@ -244,18 +231,26 @@ return [
'Update rule' => 'Muuda reeglit', 'Update rule' => 'Muuda reeglit',
'Update user account' => 'Muuda kasutajakontot', 'Update user account' => 'Muuda kasutajakontot',
'Updated at' => 'Muudetud:', 'Updated at' => 'Muudetud:',
'User account could not be created.' => 'Kasutajakonto loomine ebaõnnestus.',
'User block status has been updated.' => 'Kasutaja blokeering on muudetud.', 'User block status has been updated.' => 'Kasutaja blokeering on muudetud.',
'User could not be registered.' => 'Kasutaja registreerimine ebaõnnestus.',
'User has been confirmed' => 'Kasutaja on kinnitatud', 'User has been confirmed' => 'Kasutaja on kinnitatud',
'User has been created' => 'Kasutaja on loodud', 'User has been created' => 'Kasutaja on loodud',
'User has been deleted' => 'Kasutaja on kustutatud', 'User has been deleted' => 'Kasutaja on kustutatud',
'User is not found' => 'Kasutajat ei leitud', 'User is not found' => 'Kasutajat ei leitud',
'User not found.' => 'Ei leidnud kasutajat.',
'User will be required to change password at next login' => 'Kasutajalt nõutakse järgmisel sisselogimisel parooli muutmist',
'Username' => 'Kasutajanimi', 'Username' => 'Kasutajanimi',
'Users' => 'Kasutajad', 'Users' => 'Kasutajad',
'Verification failed. Please, enter new code.' => 'Kontrollimine ebaõnnestus. Palun sisesta uus kood.',
'We couldn\'t re-send the mail to confirm your address. Please, verify is the correct email or if it has been confirmed already.' => 'Kirja saatmine e-maili aadressi kinnitamiseks ebaõnnestus. Palun kontrolli, kas aadress on õige või kas see on juba kinnitatud.',
'We have generated a password for you' => 'Genereerisime sulle parooli', 'We have generated a password for you' => 'Genereerisime sulle parooli',
'We have received a request to change the email address for your account on {0}' => 'Oleme saanud tellimuse sinu {0} konto e-maili muutmiseks', 'We have received a request to change the email address for your account on {0}' => 'Oleme saanud tellimuse sinu {0} konto e-maili muutmiseks',
'We have received a request to reset the password for your account on {0}' => 'Oleme saanud palve sinu {0} konto parooli resettimiseks', 'We have received a request to reset the password for your account on {0}' => 'Oleme saanud palve sinu {0} konto parooli resettimiseks',
'We have sent confirmation links to both old and new email addresses. You must click both links to complete your request.' => 'Saatstime kinnituskirja nii vanale kui uuele e-maili aadressile. Oma soovi kinnitamiseks pead klikkima mõlemas kirjas olevale kinnituslingile.',
'Website' => 'Koduleht', 'Website' => 'Koduleht',
'Welcome to {0}' => 'Tere tulemast lehele {0}', 'Welcome to {0}' => 'Tere tulemast lehele {0}',
'You are about to delete all your personal data from this site.' => 'Sa oled kustutamas kõiki oma isiklikke andmeid sellel lehel.',
'You can assign multiple roles or permissions to user by using the form below' => 'Alloleva vormi abil võid kasutajale omistada mitmeid rolle ning õigusi', 'You can assign multiple roles or permissions to user by using the form below' => 'Alloleva vormi abil võid kasutajale omistada mitmeid rolle ning õigusi',
'You can connect multiple accounts to be able to log in using them' => 'Võid ühendada mitu sotsiaalmeedia kontot, mida saad kasutada kontole sisse logimiseks', 'You can connect multiple accounts to be able to log in using them' => 'Võid ühendada mitu sotsiaalmeedia kontot, mida saad kasutada kontole sisse logimiseks',
'You cannot remove your own account' => 'Sa ei saa kustutada iseenda kontot', 'You cannot remove your own account' => 'Sa ei saa kustutada iseenda kontot',
@ -269,6 +264,11 @@ return [
'Your account has been created and a message with further instructions has been sent to your email' => 'Sinu konto on loodud ning edasised instruktsioonid on saadetud sinu e-mailile', 'Your account has been created and a message with further instructions has been sent to your email' => 'Sinu konto on loodud ning edasised instruktsioonid on saadetud sinu e-mailile',
'Your account on {0} has been created' => 'Sinu {0} konto on loodud', 'Your account on {0} has been created' => 'Sinu {0} konto on loodud',
'Your confirmation token is invalid or expired' => 'Kinnituse kood on vale või aegunud', 'Your confirmation token is invalid or expired' => 'Kinnituse kood on vale või aegunud',
'Your consent is required to register' => 'Registreerumiseks on vaja sinu nõusolekut',
'Your email address has been changed' => 'Sinu e-mail on muudetud', 'Your email address has been changed' => 'Sinu e-mail on muudetud',
'Your password has expired, you must change it now' => 'Sinu parool on aegunud, pead seda uuendama.',
'Your personal information has been removed' => 'Sinu isiklikud andmed on kustutatud',
'Your profile has been updated' => 'Sinu profiil on uuendatud', 'Your profile has been updated' => 'Sinu profiil on uuendatud',
'privacy policy' => 'privaatsuspoliitika',
'{0} cannot be blank.' => '{0} ei või olla tühi.',
]; ];

View File

@ -204,7 +204,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to confirm user. Please, try again.' => '', 'Unable to confirm user. Please, try again.' => '',
'Unable to create an account.' => '', 'Unable to create an account.' => '',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -204,7 +204,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to confirm user. Please, try again.' => '', 'Unable to confirm user. Please, try again.' => '',
'Unable to create an account.' => '', 'Unable to create an account.' => '',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -204,7 +204,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to confirm user. Please, try again.' => '', 'Unable to confirm user. Please, try again.' => '',
'Unable to create an account.' => '', 'Unable to create an account.' => '',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -204,7 +204,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to confirm user. Please, try again.' => '', 'Unable to confirm user. Please, try again.' => '',
'Unable to create an account.' => '', 'Unable to create an account.' => '',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -17,92 +17,29 @@
* NOTE: this file must be saved in UTF-8 encoding. * NOTE: this file must be saved in UTF-8 encoding.
*/ */
return [ return [
'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Üzenet érkezett az e-mail címedre. Tartalmaz egy megerősítő linket, amelyet a regisztráció befejezéséhez ki kell kattintania.', 'Two factor authentication protects you in case of stolen credentials' => '',
'Are you sure you wish the user to change their password at next login?' => 'Biztos benne, hogy azt szeretné, hogy a felhasználó megváltoztassa a jelszavukat a következő bejelentkezéskor?', 'A message has been sent to your email address. ' => '@@Üzenet érkezett az e-mail címedre.@@',
'Are you sure you wish to send a password recovery email to this user?' => 'Biztos benne, hogy jelszó-visszaállító e-mailt kíván küldeni ehhez a felhasználóhoz?', 'Awesome, almost there. ' => '@@Hurrá, majdnem kész.@@',
'Awesome, almost there. Now you need to click the confirmation link sent to your new email address.' => 'Hurrá, majdnem kész. Most az új e-mail címére küldött megerősítő linkre kell kattintania.', 'Disable Two-Factor Auth' => '@@Letiltja a kétütemű hitelesítést@@',
'Awesome, almost there. Now you need to click the confirmation link sent to your old email address.' => 'Hurrá, majdnem kész. Most kattints a régi e-mail címedre küldött megerősítő linkre.', 'Enable Two-factor auth' => '@@Engedélyezze a kétütemű hitelesítést@@',
'Back to privacy settings' => 'Vissza az adatvédelmi beállításokhoz', 'I aggree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => '@@Aggregálom a személyes adataim feldolgozását és a cookie-k használatát a webhely működésének megkönnyítése érdekében. További információért olvassa el a {privacyPolicy}@@',
'Cancel' => 'Megszünteti', 'Invalid two-factor code' => '@@Érvénytelen kétütemű kód@@',
'Cannot assign role "{0}" as the AuthManager is not configured on your console application.' => 'Nem adható hozzá a "{0}" szerepkör, mivel az AuthManager nincs konfigurálva a konzolalkalmazásban.', 'Last login' => '@@Utolsó bejelentkezés@@',
'Close' => 'Bezárás', 'This will disable two-factor auth. Are you sure?' => '@@Ez letiltja a kétütemű hitelesítést. biztos vagy ebben?@@',
'Data processing consent' => 'Adatfeldolgozási hozzájárulás', 'Two Factor Authentication' => '@@Két tényező hitelesítés@@',
'Delete my account' => 'A fiókom törlése', 'Two factor authentication protects you against stolen credentials' => '@@Két tényező-hitelesítés megvédi az ellopott hitelesítő adatokat@@',
'Delete personal data' => 'Személyes adatok törlése', 'Two factor successfully enabled.' => '@@Két tényező sikeresen bekapcsolt.@@',
'Deleted by GDPR request' => 'Törölve a GDPR kéréssel', 'Two-Factor Authentication' => '@@Két faktoros hitelesítés@@',
'Disable two factor authentication' => 'Letilthatja két tényező hitelesítést', 'Two-factor auth protects you against stolen credentials' => '@@A kétütemű auth védelmet nyújt az ellopott hitelesítő adatok ellen@@',
'Download my data' => 'Töltse le az adataimat', 'Two-factor authentication code' => '@@Kétszeres hitelesítési kód@@',
'Enable' => 'Engedélyezze', 'Two-factor authorization has been disabled.' => '@@A kétütemű engedélyezés le van tiltva.@@',
'Enable two factor authentication' => 'Két tényező hitelesítés engedélyezése', 'Two-factor code' => '@@Kétszámjegyű kód@@',
'Error sending registration message to "{email}". Please try again later.' => 'Hiba történt a regisztrációs üzenet "{email}" elküldésére. Kérlek, próbáld újra később.', 'Unable to disable two-factor authorization.' => '@@Nem sikerült letiltani a kétütemű engedélyezést.@@',
'Error sending welcome message to "{email}". Please try again later.' => 'Hiba történt a "{email}" üdvözlő üzenet elküldésével. Kérlek, próbáld újra később.', 'We couldn\'t re-send the mail to confirm your address. ' => '@@A cím megerősítéséhez nem tudtuk újra elküldeni az e-mailt.@@',
'Export my data' => 'Adatok exportálása', 'We have sent confirmation links to both old and new email addresses. ' => '@@Megerősítő linkeket küldtünk régi és új e-mail címekre.@@',
'Force password change at next login' => 'A jelszó megváltoztatása a következő bejelentkezéskor',
'Here you can download your personal data in a comma separated values format.' => 'Itt személyes adatait vesszővel elválasztott formátumban töltheti le.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Egyetértek személyes adataim feldolgozásával és cookie-k használatával a webhely működésének megkönnyítése érdekében. További információért olvassa el a {privacyPolicy}',
'Invalid password' => 'Érvénytelen jelszó',
'Invalid two factor authentication code' => 'Érvénytelen két tényező hitelesítési kód',
'Last login IP' => 'Utolsó bejelentkezési IP',
'Last login time' => 'Utolsó bejelentkezési idő',
'Last password change' => 'Utolsó jelszóváltás',
'Never' => 'Soha',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'Miután törölted az adatokat, nem tudsz bejelentkezni a fiókoddal.',
'Password age' => 'Jelszó kora',
'Privacy' => 'Magánélet',
'Privacy settings' => 'Adatvédelmi beállítások',
'Required "key" cannot be empty.' => 'A szükséges "kulcs" nem lehet üres.',
'Required "secret" cannot be empty.' => 'A szükséges "titkos" nem lehet üres.',
'Role "{0}" not found. Creating it.' => 'A (z) "{0}" szerepkör nem található. Létrehozása.',
'Scan the QrCode with Google Authenticator App, then insert its temporary code on the box and submit.' => 'Szkennelje a QrCode-ot a Google Hitelesítő alkalmazással, majd helyezze be ideiglenes kódját a dobozba és küldje be.',
'Send password recovery email' => 'Jelszó-visszaállító e-mail küldése',
'The "recaptcha" component must be configured.' => 'A "recaptcha" összetevőt be kell állítani.',
'The verification code is incorrect.' => 'Az ellenőrző kód helytelen.',
'There was an error in saving user' => 'Hiányzott a felhasználó mentése',
'This will disable two factor authentication. Are you sure?' => 'Ez letiltja a két tényező hitelesítést. biztos vagy ebben?',
'This will remove your personal data from this site. You will no longer be able to sign in.' => 'Ez eltávolítja személyes adatait ezen a webhelyen. Már nem tud bejelentkezni.',
'Two Factor Authentication (2FA)' => 'Két faktorhitelesítés (2FA)',
'Two factor authentication code' => 'Két tényező hitelesítési kód',
'Two factor authentication has been disabled.' => 'Két tényező hitelesítés le van tiltva.',
'Two factor authentication protects you against stolen credentials' => 'Két tényező-hitelesítés megvédi az ellopott hitelesítő adatokat',
'Two factor authentication successfully enabled.' => 'A két tényező hitelesítés sikeresen engedélyezett.',
'Unable to disable Two factor authentication.' => 'Nem sikerült letiltani a két tényező hitelesítést.',
'Unable to send recovery message to the user' => 'Nem sikerült visszaszolgáltatási üzenetet küldeni a felhasználónak',
'User account could not be created.' => 'Nem sikerült létrehozni a felhasználói fiókot.',
'User could not be registered.' => 'A felhasználó nem regisztrálható.',
'User not found.' => 'Felhasználó nem található.',
'User will be required to change password at next login' => 'A felhasználónak meg kell változtatnia a jelszót a következő bejelentkezéskor',
'Verification failed. Please, enter new code.' => 'Az ellenőrzés sikertelen volt. Kérjük, írjon be új kódot.',
'We couldn\'t re-send the mail to confirm your address. Please, verify is the correct email or if it has been confirmed already.' => 'A cím megerősítéséhez nem tudtuk újra elküldeni az e-mailt. Kérjük, ellenőrizze a helyes e-mailt, vagy ha már megerősítették.',
'We have sent confirmation links to both old and new email addresses. You must click both links to complete your request.' => 'Megerősítő linkeket küldtünk régi és új e-mail címekre. Mindkét linkre kattintva kitöltheti a kérelmet.',
'You are about to delete all your personal data from this site.' => 'El szeretné törölni az összes személyes adatait ezen a webhelyen.',
'Your consent is required to register' => 'Engedélyeznie kell a regisztrációt',
'Your password has expired, you must change it now' => 'A jelszava lejárt, most módosítania kell',
'Your personal information has been removed' => 'Személyes adatait eltávolítottuk',
'privacy policy' => 'Adatvédelmi irányelvek',
'{0} cannot be blank.' => '{0} nem lehet üres.',
'A message has been sent to your email address. ' => 'Üzenet érkezett az e-mail címedre.',
'Awesome, almost there. ' => 'Hurrá, majdnem kész.',
'Disable Two-Factor Auth' => 'Letiltja a kétütemű hitelesítést',
'Enable Two-factor auth' => 'Engedélyezze a kétütemű hitelesítést',
'I aggree processing of my personal data and the use of cookies
to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Aggregálom a személyes adataim feldolgozását és a cookie-k használatát a webhely működésének megkönnyítése érdekében. További információért olvassa el a {privacyPolicy}',
'I aggree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Aggregálom a személyes adataim feldolgozását és a cookie-k használatát a webhely működésének megkönnyítése érdekében. További információért olvassa el a {privacyPolicy}',
'Invalid two-factor code' => 'Érvénytelen kétütemű kód',
'Last login' => 'Utolsó bejelentkezés',
'This will disable two-factor auth. Are you sure?' => 'Ez letiltja a kétütemű hitelesítést. biztos vagy ebben?',
'Two Factor Authentication' => 'Két tényező hitelesítés',
'Two factor successfully enabled.' => 'Két tényező sikeresen bekapcsolt.',
'Two-Factor Authentication' => 'Két faktoros hitelesítés',
'Two-factor auth protects you against stolen credentials' => 'A kétütemű auth védelmet nyújt az ellopott hitelesítő adatok ellen',
'Two-factor authentication code' => 'Kétszeres hitelesítési kód',
'Two-factor authorization has been disabled.' => 'A kétütemű engedélyezés le van tiltva.',
'Two-factor code' => 'Kétszámjegyű kód',
'Unable to disable two-factor authorization.' => 'Nem sikerült letiltani a kétütemű engedélyezést.',
'We couldn\'t re-send the mail to confirm your address. ' => 'A cím megerősítéséhez nem tudtuk újra elküldeni az e-mailt.',
'We have sent confirmation links to both old and new email addresses. ' => 'Megerősítő linkeket küldtünk régi és új e-mail címekre.',
'{0, date, MMM dd, YYYY HH:mm}' => '{0, dátum, MMM dd, ÉÉÉÉ HH: mm}',
'(not set)' => '(nincs beállítva)', '(not set)' => '(nincs beállítva)',
'A confirmation message has been sent to your new email address' => 'Az új e-mail címére megerősítő üzenetet küldtek', 'A confirmation message has been sent to your new email address' => 'Az új e-mail címére megerősítő üzenetet küldtek',
'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Üzenet érkezett az e-mail címedre. Tartalmaz egy megerősítő linket, amelyet a regisztráció befejezéséhez ki kell kattintania.',
'A new confirmation link has been sent' => 'Új megerősítési linket küldtek', 'A new confirmation link has been sent' => 'Új megerősítési linket küldtek',
'A password will be generated automatically if not provided' => 'A jelszó automatikusan generálódik, ha nincs megadva', 'A password will be generated automatically if not provided' => 'A jelszó automatikusan generálódik, ha nincs megadva',
'Account' => 'számla', 'Account' => 'számla',
@ -118,6 +55,8 @@ return [
'Are you sure you want to delete this user?' => 'Biztos benne, hogy törölni szeretné ezt a felhasználót?', 'Are you sure you want to delete this user?' => 'Biztos benne, hogy törölni szeretné ezt a felhasználót?',
'Are you sure you want to switch to this user for the rest of this Session?' => 'Biztos benne, hogy át szeretné váltani ezt a felhasználót a továbbiakban?', 'Are you sure you want to switch to this user for the rest of this Session?' => 'Biztos benne, hogy át szeretné váltani ezt a felhasználót a továbbiakban?',
'Are you sure you want to unblock this user?' => 'Biztosan fel akarja oldani a felhasználót?', 'Are you sure you want to unblock this user?' => 'Biztosan fel akarja oldani a felhasználót?',
'Are you sure you wish the user to change their password at next login?' => 'Biztos benne, hogy azt szeretné, hogy a felhasználó megváltoztassa a jelszavukat a következő bejelentkezéskor?',
'Are you sure you wish to send a password recovery email to this user?' => 'Biztos benne, hogy jelszó-visszaállító e-mailt kíván küldeni ehhez a felhasználóhoz?',
'Are you sure? Deleted user can not be restored' => 'biztos vagy ebben? A törölt felhasználót nem lehet visszaállítani', 'Are you sure? Deleted user can not be restored' => 'biztos vagy ebben? A törölt felhasználót nem lehet visszaállítani',
'Are you sure? There is no going back' => 'biztos vagy ebben? Nincs visszaút', 'Are you sure? There is no going back' => 'biztos vagy ebben? Nincs visszaút',
'Assignments' => 'Feladatok', 'Assignments' => 'Feladatok',
@ -130,13 +69,19 @@ return [
'Authorization rule has been added.' => 'Engedélyezési szabály hozzá lett adva.', 'Authorization rule has been added.' => 'Engedélyezési szabály hozzá lett adva.',
'Authorization rule has been removed.' => 'Engedélyezési szabály eltávolítva.', 'Authorization rule has been removed.' => 'Engedélyezési szabály eltávolítva.',
'Authorization rule has been updated.' => 'Az engedélyezési szabály frissítve lett.', 'Authorization rule has been updated.' => 'Az engedélyezési szabály frissítve lett.',
'Awesome, almost there. Now you need to click the confirmation link sent to your new email address.' => 'Hurrá, majdnem kész. Most az új e-mail címére küldött megerősítő linkre kell kattintania.',
'Awesome, almost there. Now you need to click the confirmation link sent to your old email address.' => 'Hurrá, majdnem kész. Most kattints a régi e-mail címedre küldött megerősítő linkre.',
'Back to privacy settings' => 'Vissza az adatvédelmi beállításokhoz',
'Bio' => 'Bio', 'Bio' => 'Bio',
'Block' => 'Blokk', 'Block' => 'Blokk',
'Block status' => 'Blokk állapota', 'Block status' => 'Blokk állapota',
'Blocked at {0, date, MMMM dd, YYYY HH:mm}' => 'Blokkolt {0, dátum, MMMM dd, YYYY HH: mm}', 'Blocked at {0, date, MMMM dd, YYYY HH:mm}' => 'Blokkolt {0, dátum, MMMM dd, YYYY HH: mm}',
'Cancel' => 'Megszünteti',
'Cannot assign role "{0}" as the AuthManager is not configured on your console application.' => 'Nem adható hozzá a "{0}" szerepkör, mivel az AuthManager nincs konfigurálva a konzolalkalmazásban.',
'Change your avatar at Gravatar.com' => 'Avatárjának módosítása a Gravatar.com-on', 'Change your avatar at Gravatar.com' => 'Avatárjának módosítása a Gravatar.com-on',
'Children' => 'Gyermekek', 'Children' => 'Gyermekek',
'Class' => 'Osztály', 'Class' => 'Osztály',
'Close' => 'Bezárás',
'Complete password reset on {0}' => 'Teljes jelszó visszaállítása a {0}', 'Complete password reset on {0}' => 'Teljes jelszó visszaállítása a {0}',
'Confirm' => 'megerősít', 'Confirm' => 'megerősít',
'Confirm account on {0}' => 'Fiók megerősítése {0}', 'Confirm account on {0}' => 'Fiók megerősítése {0}',
@ -157,21 +102,35 @@ return [
'Credentials will be sent to the user by email' => 'A hitelesítő adatokat e-mailben elküldjük a felhasználónak', 'Credentials will be sent to the user by email' => 'A hitelesítő adatokat e-mailben elküldjük a felhasználónak',
'Current password' => 'Jelenlegi jelszó', 'Current password' => 'Jelenlegi jelszó',
'Current password is not valid' => 'A jelenlegi jelszó érvénytelen', 'Current password is not valid' => 'A jelenlegi jelszó érvénytelen',
'Data processing consent' => 'Adatfeldolgozási hozzájárulás',
'Delete' => 'Töröl', 'Delete' => 'Töröl',
'Delete account' => 'Fiók törlése', 'Delete account' => 'Fiók törlése',
'Delete my account' => 'A fiókom törlése',
'Delete personal data' => 'Személyes adatok törlése',
'Deleted by GDPR request' => 'Törölve a GDPR kéréssel',
'Description' => 'Leírás', 'Description' => 'Leírás',
'Didn\'t receive confirmation message?' => 'Nem kapott megerősítő üzenetet?', 'Didn\'t receive confirmation message?' => 'Nem kapott megerősítő üzenetet?',
'Disable two factor authentication' => 'Letilthatja két tényező hitelesítést',
'Disconnect' => 'szétkapcsol', 'Disconnect' => 'szétkapcsol',
'Don\'t have an account? Sign up!' => 'Nincs fiókod? Regisztrálj!', 'Don\'t have an account? Sign up!' => 'Nincs fiókod? Regisztrálj!',
'Download my data' => 'Töltse le az adataimat',
'Email' => 'Email', 'Email' => 'Email',
'Email (public)' => 'E-mail (nyilvános)', 'Email (public)' => 'E-mail (nyilvános)',
'Enable' => 'Engedélyezze',
'Enable two factor authentication' => 'Két tényező hitelesítés engedélyezése',
'Error occurred while changing password' => 'Hiba történt a jelszó módosításakor', 'Error occurred while changing password' => 'Hiba történt a jelszó módosításakor',
'Error occurred while confirming user' => 'Hiba történt a felhasználó megerősítése közben', 'Error occurred while confirming user' => 'Hiba történt a felhasználó megerősítése közben',
'Error occurred while deleting user' => 'Hiba történt a felhasználó törlésekor', 'Error occurred while deleting user' => 'Hiba történt a felhasználó törlésekor',
'Error sending registration message to "{email}". Please try again later.' => 'Hiba történt a regisztrációs üzenet "{email}" elküldésére. Kérlek, próbáld újra később.',
'Error sending welcome message to "{email}". Please try again later.' => 'Hiba történt a "{email}" üdvözlő üzenet elküldésével. Kérlek, próbáld újra később.',
'Export my data' => 'Adatok exportálása',
'Finish' => 'Befejez', 'Finish' => 'Befejez',
'Force password change at next login' => 'A jelszó megváltoztatása a következő bejelentkezéskor',
'Forgot password?' => 'Elfelejtette jelszavát?', 'Forgot password?' => 'Elfelejtette jelszavát?',
'Gravatar email' => 'Gravatar e-mail', 'Gravatar email' => 'Gravatar e-mail',
'Hello' => 'Helló', 'Hello' => 'Helló',
'Here you can download your personal data in a comma separated values format.' => 'Itt személyes adatait vesszővel elválasztott formátumban töltheti le.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Egyetértek személyes adataim feldolgozásával és cookie-k használatával a webhely működésének megkönnyítése érdekében. További információért olvassa el a {privacyPolicy}',
'If you already registered, sign in and connect this account on settings page' => 'Ha már regisztráltál, jelentkezz be és kösd be ezt a fiókot a beállítások oldalán', 'If you already registered, sign in and connect this account on settings page' => 'Ha már regisztráltál, jelentkezz be és kösd be ezt a fiókot a beállítások oldalán',
'If you cannot click the link, please try pasting the text into your browser' => 'Ha nem tud kattintani a linkre, kérjük, próbálja meg a szöveg beillesztését a böngészőbe', 'If you cannot click the link, please try pasting the text into your browser' => 'Ha nem tud kattintani a linkre, kérjük, próbálja meg a szöveg beillesztését a böngészőbe',
'If you did not make this request you can ignore this email' => 'Ha ezt a kérelmet nem hajtotta végre, figyelmen kívül hagyhatja ezt az e-mailt', 'If you did not make this request you can ignore this email' => 'Ha ezt a kérelmet nem hajtotta végre, figyelmen kívül hagyhatja ezt az e-mailt',
@ -182,16 +141,22 @@ return [
'Information' => 'Információ', 'Information' => 'Információ',
'Invalid login or password' => 'Helytelen felhasználónév vagy jelszó', 'Invalid login or password' => 'Helytelen felhasználónév vagy jelszó',
'Invalid or expired link' => 'Érvénytelen vagy lejárt kapcsolat', 'Invalid or expired link' => 'Érvénytelen vagy lejárt kapcsolat',
'Invalid password' => 'Érvénytelen jelszó',
'Invalid two factor authentication code' => 'Érvénytelen két tényező hitelesítési kód',
'Invalid value' => 'helytelen érték', 'Invalid value' => 'helytelen érték',
'It will be deleted forever' => 'Mindig örökre törlődik', 'It will be deleted forever' => 'Mindig örökre törlődik',
'Items' => 'példány', 'Items' => 'példány',
'Joined on {0, date}' => 'Csatlakozott: {0, dátum}', 'Joined on {0, date}' => 'Csatlakozott: {0, dátum}',
'Last login IP' => 'Utolsó bejelentkezési IP',
'Last login time' => 'Utolsó bejelentkezési idő',
'Last password change' => 'Utolsó jelszóváltás',
'Location' => 'Elhelyezkedés', 'Location' => 'Elhelyezkedés',
'Login' => 'Belépés', 'Login' => 'Belépés',
'Logout' => 'Kijelentkezés', 'Logout' => 'Kijelentkezés',
'Manage users' => 'Felhasználók kezelése', 'Manage users' => 'Felhasználók kezelése',
'Name' => 'Név', 'Name' => 'Név',
'Networks' => 'Networks', 'Networks' => 'Networks',
'Never' => 'Soha',
'New email' => 'Új Email', 'New email' => 'Új Email',
'New password' => 'Új jelszó', 'New password' => 'Új jelszó',
'New permission' => 'Új engedély', 'New permission' => 'Új engedély',
@ -201,12 +166,16 @@ return [
'Not blocked' => 'Nem blokkolt', 'Not blocked' => 'Nem blokkolt',
'Not found' => 'Nem található', 'Not found' => 'Nem található',
'Once you delete your account, there is no going back' => 'Miután törölte fiókját, nincs visszatérés', 'Once you delete your account, there is no going back' => 'Miután törölte fiókját, nincs visszatérés',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'Miután törölted az adatokat, nem tudsz bejelentkezni a fiókoddal.',
'Password' => 'Jelszó', 'Password' => 'Jelszó',
'Password age' => 'Jelszó kora',
'Password has been changed' => 'A jelszó megváltozott', 'Password has been changed' => 'A jelszó megváltozott',
'Permissions' => 'Engedélyek', 'Permissions' => 'Engedélyek',
'Please be certain' => 'Kérem, legyen biztos', 'Please be certain' => 'Kérem, legyen biztos',
'Please click the link below to complete your password reset' => 'Az alábbi linkre kattintva töltse ki a jelszó visszaállítását', 'Please click the link below to complete your password reset' => 'Az alábbi linkre kattintva töltse ki a jelszó visszaállítását',
'Please fix following errors:' => 'Kérjük, javítsa a következő hibákat:', 'Please fix following errors:' => 'Kérjük, javítsa a következő hibákat:',
'Privacy' => 'Magánélet',
'Privacy settings' => 'Adatvédelmi beállítások',
'Profile' => 'Profil', 'Profile' => 'Profil',
'Profile details' => 'Profil részletei', 'Profile details' => 'Profil részletei',
'Profile details have been updated' => 'A profil adatai frissítve lettek', 'Profile details have been updated' => 'A profil adatai frissítve lettek',
@ -219,7 +188,10 @@ return [
'Registration time' => 'Regisztrációs idő', 'Registration time' => 'Regisztrációs idő',
'Remember me next time' => 'Emlekezz rám legközelebb', 'Remember me next time' => 'Emlekezz rám legközelebb',
'Request new confirmation message' => 'Kérjen új megerősítő üzenetet', 'Request new confirmation message' => 'Kérjen új megerősítő üzenetet',
'Required "key" cannot be empty.' => 'A szükséges "kulcs" nem lehet üres.',
'Required "secret" cannot be empty.' => 'A szükséges "titkos" nem lehet üres.',
'Reset your password' => 'Állítsd vissza a jelszavad', 'Reset your password' => 'Állítsd vissza a jelszavad',
'Role "{0}" not found. Creating it.' => 'A (z) "{0}" szerepkör nem található. Létrehozása.',
'Roles' => 'szerepek', 'Roles' => 'szerepek',
'Rule' => 'Szabály', 'Rule' => 'Szabály',
'Rule class must extend "yii\\rbac\\Rule".' => 'A szabályosztálynak ki kell terjednie a "yii \\ rbac \\ Rule" -re.', 'Rule class must extend "yii\\rbac\\Rule".' => 'A szabályosztálynak ki kell terjednie a "yii \\ rbac \\ Rule" -re.',
@ -229,26 +201,39 @@ return [
'Rule {0} not found.' => 'A (z) {0} szabály nem található.', 'Rule {0} not found.' => 'A (z) {0} szabály nem található.',
'Rules' => 'szabályok', 'Rules' => 'szabályok',
'Save' => 'Mentés', 'Save' => 'Mentés',
'Scan the QrCode with Google Authenticator App, then insert its temporary code on the box and submit.' => 'Szkennelje a QrCode-ot a Google Hitelesítő alkalmazással, majd helyezze be ideiglenes kódját a dobozba és küldje be.',
'Send password recovery email' => 'Jelszó-visszaállító e-mail küldése',
'Sign in' => 'Bejelentkezés', 'Sign in' => 'Bejelentkezés',
'Sign up' => 'Regisztrálj', 'Sign up' => 'Regisztrálj',
'Something went wrong' => 'Valami elromlott', 'Something went wrong' => 'Valami elromlott',
'Switch identities is disabled.' => 'Az azonosító váltása le van tiltva.', 'Switch identities is disabled.' => 'Az azonosító váltása le van tiltva.',
'Thank you for signing up on {0}' => 'Köszönjük, hogy feliratkozott a (z) {0}', 'Thank you for signing up on {0}' => 'Köszönjük, hogy feliratkozott a (z) {0}',
'Thank you, registration is now complete.' => 'Köszönjük, a regisztráció most teljes.', 'Thank you, registration is now complete.' => 'Köszönjük, a regisztráció most teljes.',
'The "recaptcha" component must be configured.' => 'A "recaptcha" összetevőt be kell állítani.',
'The confirmation link is invalid or expired. Please try requesting a new one.' => 'A megerősítő link érvénytelen vagy lejárt. Kérjük, próbáljon meg újat kérni.', 'The confirmation link is invalid or expired. Please try requesting a new one.' => 'A megerősítő link érvénytelen vagy lejárt. Kérjük, próbáljon meg újat kérni.',
'The verification code is incorrect.' => 'Az ellenőrző kód helytelen.',
'There is neither role nor permission with name "{0}"' => 'Nincs sem szerep, sem engedély a (z) "{0}" névvel', 'There is neither role nor permission with name "{0}"' => 'Nincs sem szerep, sem engedély a (z) "{0}" névvel',
'There was an error in saving user' => 'Hiányzott a felhasználó mentése',
'This account has already been connected to another user' => 'Ez a fiók már kapcsolódott egy másik felhasználóhoz', 'This account has already been connected to another user' => 'Ez a fiók már kapcsolódott egy másik felhasználóhoz',
'This email address has already been taken' => 'Ezt az e-mail címet már megtettük', 'This email address has already been taken' => 'Ezt az e-mail címet már megtettük',
'This username has already been taken' => 'Ez a felhasználónév már megtörtént', 'This username has already been taken' => 'Ez a felhasználónév már megtörtént',
'This will disable two factor authentication. Are you sure?' => 'Ez letiltja a két tényező hitelesítést. biztos vagy ebben?',
'This will remove your personal data from this site. You will no longer be able to sign in.' => 'Ez eltávolítja személyes adatait ezen a webhelyen. Már nem tud bejelentkezni.',
'Time zone' => 'Időzóna', 'Time zone' => 'Időzóna',
'Time zone is not valid' => 'Az időzónák nem érvényesek', 'Time zone is not valid' => 'Az időzónák nem érvényesek',
'Two Factor Authentication (2FA)' => 'Két faktorhitelesítés (2FA)',
'Two factor authentication code' => 'Két tényező hitelesítési kód',
'Two factor authentication has been disabled.' => 'Két tényező hitelesítés le van tiltva.',
'Two factor authentication successfully enabled.' => 'A két tényező hitelesítés sikeresen engedélyezett.',
'Unable to confirm user. Please, try again.' => 'Nem sikerült megerősíteni a felhasználót. Kérlek próbáld újra.', 'Unable to confirm user. Please, try again.' => 'Nem sikerült megerősíteni a felhasználót. Kérlek próbáld újra.',
'Unable to create an account.' => 'Nem lehet létrehozni egy fiókot.', 'Unable to create an account.' => 'Nem lehet létrehozni egy fiókot.',
'Unable to create authorization item.' => 'Nem lehet létrehozni az engedélyezési elemet.', 'Unable to create authorization item.' => 'Nem lehet létrehozni az engedélyezési elemet.',
'Unable to create new authorization rule.' => 'Nem sikerült új engedélyezési szabályt létrehozni.', 'Unable to create new authorization rule.' => 'Nem sikerült új engedélyezési szabályt létrehozni.',
'Unable to delete user. Please, try again later.' => 'Nem sikerült törölni a felhasználót. Kérlek, próbáld újra később.', 'Unable to delete user. Please, try again later.' => 'Nem sikerült törölni a felhasználót. Kérlek, próbáld újra később.',
'Unable to disable Two factor authentication.' => 'Nem sikerült letiltani a két tényező hitelesítést.',
'Unable to remove authorization item.' => 'Az engedélyezési elem eltávolítása nem sikerült.', 'Unable to remove authorization item.' => 'Az engedélyezési elem eltávolítása nem sikerült.',
'Unable to send confirmation link' => 'Nem sikerült megerősítő linket küldeni', 'Unable to send confirmation link' => 'Nem sikerült megerősítő linket küldeni',
'Unable to send recovery message to the user' => 'Nem sikerült visszaszolgáltatási üzenetet küldeni a felhasználónak',
'Unable to update authorization item.' => 'Az engedélyezési elem frissítése nem sikerült.', 'Unable to update authorization item.' => 'Az engedélyezési elem frissítése nem sikerült.',
'Unable to update authorization rule.' => 'Az engedélyezési szabály frissítése nem sikerült.', 'Unable to update authorization rule.' => 'Az engedélyezési szabály frissítése nem sikerült.',
'Unable to update block status.' => 'A blokk állapotának frissítése nem sikerült.', 'Unable to update block status.' => 'A blokk állapotának frissítése nem sikerült.',
@ -261,20 +246,28 @@ return [
'Update rule' => 'Frissítési szabály', 'Update rule' => 'Frissítési szabály',
'Update user account' => 'Felhasználói fiók frissítése', 'Update user account' => 'Felhasználói fiók frissítése',
'Updated at' => 'Frissítve:', 'Updated at' => 'Frissítve:',
'User account could not be created.' => 'Nem sikerült létrehozni a felhasználói fiókot.',
'User block status has been updated.' => 'A felhasználói blokk állapota frissítve lett.', 'User block status has been updated.' => 'A felhasználói blokk állapota frissítve lett.',
'User could not be registered.' => 'A felhasználó nem regisztrálható.',
'User has been confirmed' => 'A felhasználó megerősítést kapott', 'User has been confirmed' => 'A felhasználó megerősítést kapott',
'User has been created' => 'A felhasználó létrehozva', 'User has been created' => 'A felhasználó létrehozva',
'User has been deleted' => 'A felhasználó törölve lett', 'User has been deleted' => 'A felhasználó törölve lett',
'User is not found' => 'A felhasználó nem található', 'User is not found' => 'A felhasználó nem található',
'User not found.' => 'Felhasználó nem található.',
'User will be required to change password at next login' => 'A felhasználónak meg kell változtatnia a jelszót a következő bejelentkezéskor',
'Username' => 'Felhasználónév', 'Username' => 'Felhasználónév',
'Users' => 'felhasználók', 'Users' => 'felhasználók',
'VKontakte' => 'VKontakte', 'VKontakte' => 'VKontakte',
'Verification failed. Please, enter new code.' => 'Az ellenőrzés sikertelen volt. Kérjük, írjon be új kódot.',
'We couldn\'t re-send the mail to confirm your address. Please, verify is the correct email or if it has been confirmed already.' => 'A cím megerősítéséhez nem tudtuk újra elküldeni az e-mailt. Kérjük, ellenőrizze a helyes e-mailt, vagy ha már megerősítették.',
'We have generated a password for you' => 'Jelszót hoztunk létre Önnek', 'We have generated a password for you' => 'Jelszót hoztunk létre Önnek',
'We have received a request to change the email address for your account on {0}' => 'Megkaptuk a fiók e-mail címének módosítását {0}', 'We have received a request to change the email address for your account on {0}' => 'Megkaptuk a fiók e-mail címének módosítását {0}',
'We have received a request to reset the password for your account on {0}' => 'Megkaptuk a fiók jelszavának alaphelyzetbe állításának {0}', 'We have received a request to reset the password for your account on {0}' => 'Megkaptuk a fiók jelszavának alaphelyzetbe állításának {0}',
'We have sent confirmation links to both old and new email addresses. You must click both links to complete your request.' => 'Megerősítő linkeket küldtünk régi és új e-mail címekre. Mindkét linkre kattintva kitöltheti a kérelmet.',
'Website' => 'Weboldal', 'Website' => 'Weboldal',
'Welcome to {0}' => 'Üdvözöljük a (z) {0}', 'Welcome to {0}' => 'Üdvözöljük a (z) {0}',
'Yandex' => 'Yandex', 'Yandex' => 'Yandex',
'You are about to delete all your personal data from this site.' => 'El szeretné törölni az összes személyes adatait ezen a webhelyen.',
'You can assign multiple roles or permissions to user by using the form below' => 'Az alábbi űrlap használatával több szerephez vagy engedélyhez rendelhet a felhasználóhoz', 'You can assign multiple roles or permissions to user by using the form below' => 'Az alábbi űrlap használatával több szerephez vagy engedélyhez rendelhet a felhasználóhoz',
'You can connect multiple accounts to be able to log in using them' => 'Több fiókot is csatlakoztathat, hogy be tudjon jelentkezni velük', 'You can connect multiple accounts to be able to log in using them' => 'Több fiókot is csatlakoztathat, hogy be tudjon jelentkezni velük',
'You cannot remove your own account' => 'Nem tudja eltávolítani saját fiókját', 'You cannot remove your own account' => 'Nem tudja eltávolítani saját fiókját',
@ -288,7 +281,13 @@ return [
'Your account has been created and a message with further instructions has been sent to your email' => 'Fiókja létrehozva, és további utasításokkal ellátott üzenetet küldtek e-mail címedre', 'Your account has been created and a message with further instructions has been sent to your email' => 'Fiókja létrehozva, és további utasításokkal ellátott üzenetet küldtek e-mail címedre',
'Your account on {0} has been created' => 'Fiókja {0} létrehozva', 'Your account on {0} has been created' => 'Fiókja {0} létrehozva',
'Your confirmation token is invalid or expired' => 'Az érvényesítési token érvénytelen vagy lejárt', 'Your confirmation token is invalid or expired' => 'Az érvényesítési token érvénytelen vagy lejárt',
'Your consent is required to register' => 'Engedélyeznie kell a regisztrációt',
'Your email address has been changed' => 'E-mail címed megváltozott', 'Your email address has been changed' => 'E-mail címed megváltozott',
'Your password has expired, you must change it now' => 'A jelszava lejárt, most módosítania kell',
'Your personal information has been removed' => 'Személyes adatait eltávolítottuk',
'Your profile has been updated' => 'A profilja frissítve lett', 'Your profile has been updated' => 'A profilja frissítve lett',
'privacy policy' => 'Adatvédelmi irányelvek',
'{0, date, MMM dd, YYYY HH:mm}' => '{0, dátum, MMM dd, ÉÉÉÉ HH: mm}',
'{0, date, MMMM dd, YYYY HH:mm}' => '{0, dátum, MMMM dd, ÉÉÉÉ HH: mm}', '{0, date, MMMM dd, YYYY HH:mm}' => '{0, dátum, MMMM dd, ÉÉÉÉ HH: mm}',
'{0} cannot be blank.' => '{0} nem lehet üres.',
]; ];

View File

@ -17,33 +17,9 @@
* NOTE: this file must be saved in UTF-8 encoding. * NOTE: this file must be saved in UTF-8 encoding.
*/ */
return [ return [
'Are you sure you wish the user to change their password at next login?' => 'Sei sicuro di voler forzare l\'utente a cambiare la password al prossimo accesso?', 'Two factor authentication protects you in case of stolen credentials' => '',
'Back to privacy settings' => 'Torna alle impostazioni di privacy', '{0, date, MMM dd, YYYY HH:mm}' => '',
'Data processing consent' => 'Consenso al trattamento dei dati', 'Two factor authentication protects you against stolen credentials' => '@@L\'autenticazione a due fattori può proteggerti dal furto di credenziali@@',
'Delete my account' => 'Elimina il mio account',
'Delete personal data' => 'Elimina i dati personali',
'Deleted by GDPR request' => 'Eliminato per richiesta GDPR',
'Download my data' => 'Scarica i miei dati',
'Export my data' => 'Esporta i miei dati',
'Force password change at next login' => 'Forza il cambio password al prossimo accesso',
'Here you can download your personal data in a comma separated values format.' => 'Da qui puoi scaricare i tuoi dati in formato CSV.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Consento al trattamento dei miei dati personali e all\'uso dei cookie per agevolare le attività di questo sito. Per ulteriori informazioni leggere la nostra {privacyPolicy}',
'Invalid password' => 'Password non valida',
'Last login IP' => 'IP ultimo accesso',
'Last login time' => 'Data ultimo accesso',
'Last password change' => 'Data cambio password',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'Una volta che avrai eliminato i tuoi dati non potrai più entrare con questo account.',
'Password age' => 'Età password',
'Privacy' => 'Privacy',
'Privacy settings' => 'Impostazioni privacy',
'There was an error in saving user' => 'Errore in salvataggio utente',
'This will remove your personal data from this site. You will no longer be able to sign in.' => 'Questa operazione rimuoverà i tuoi dati personali da questo sito. Non ti sarà più possibile effettuare l\'accesso.',
'User will be required to change password at next login' => 'L\'utente dovrà cambiare la password al prossimo accesso',
'You are about to delete all your personal data from this site.' => 'Stai per eliminare tutti i tuoi dati personali da questo sito.',
'Your consent is required to register' => 'È richiesto il tuo consenso per la registrazione',
'Your password has expired, you must change it now' => 'La tua password è scaduta, devi cambiarla',
'Your personal information has been removed' => 'I tuoi dati personali sono stati rimossi',
'privacy policy' => 'politica della privacy',
'(not set)' => '(non impostato)', '(not set)' => '(non impostato)',
'A confirmation message has been sent to your new email address' => 'È stato inviato un messaggio di conferma al tuo nuovo indirizzo email', 'A confirmation message has been sent to your new email address' => 'È stato inviato un messaggio di conferma al tuo nuovo indirizzo email',
'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'È stato inviato un messaggio al tuo indirizzo email. Contiene un collegamento di verifica che devi aprire per completare la registrazione.', 'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'È stato inviato un messaggio al tuo indirizzo email. Contiene un collegamento di verifica che devi aprire per completare la registrazione.',
@ -62,6 +38,7 @@ return [
'Are you sure you want to delete this user?' => 'Sicuro di voler eliminare questo utente?', 'Are you sure you want to delete this user?' => 'Sicuro di voler eliminare questo utente?',
'Are you sure you want to switch to this user for the rest of this Session?' => 'Sei sicuro di voler passare a questo utente fino alla fine della sessione?', 'Are you sure you want to switch to this user for the rest of this Session?' => 'Sei sicuro di voler passare a questo utente fino alla fine della sessione?',
'Are you sure you want to unblock this user?' => 'Sicuro di voler sblocare questo utente?', 'Are you sure you want to unblock this user?' => 'Sicuro di voler sblocare questo utente?',
'Are you sure you wish the user to change their password at next login?' => 'Sei sicuro di voler forzare l\'utente a cambiare la password al prossimo accesso?',
'Are you sure you wish to send a password recovery email to this user?' => 'Sicuro di voler inviare un email di recupero password a questo utente?', 'Are you sure you wish to send a password recovery email to this user?' => 'Sicuro di voler inviare un email di recupero password a questo utente?',
'Are you sure? Deleted user can not be restored' => 'Sei sicuro? Gli utenti eliminati non possono essere ripristinati', 'Are you sure? Deleted user can not be restored' => 'Sei sicuro? Gli utenti eliminati non possono essere ripristinati',
'Are you sure? There is no going back' => 'Sei sicuro? Non è possibile tornare indietro', 'Are you sure? There is no going back' => 'Sei sicuro? Non è possibile tornare indietro',
@ -77,6 +54,7 @@ return [
'Authorization rule has been updated.' => 'Regola di autorizzazione modificata.', 'Authorization rule has been updated.' => 'Regola di autorizzazione modificata.',
'Awesome, almost there. Now you need to click the confirmation link sent to your new email address.' => 'Fantastico, ci siamo quasi. Ora devi solo visitare il collegamento di conferma che è stato inviato al tuo nuovo indirizzo email.', 'Awesome, almost there. Now you need to click the confirmation link sent to your new email address.' => 'Fantastico, ci siamo quasi. Ora devi solo visitare il collegamento di conferma che è stato inviato al tuo nuovo indirizzo email.',
'Awesome, almost there. Now you need to click the confirmation link sent to your old email address.' => 'Fantastico, ci siamo quasi. Ora devi solo visitare il collegamento di conferma che è stato inviato al tuo vecchio indirizzo email.', 'Awesome, almost there. Now you need to click the confirmation link sent to your old email address.' => 'Fantastico, ci siamo quasi. Ora devi solo visitare il collegamento di conferma che è stato inviato al tuo vecchio indirizzo email.',
'Back to privacy settings' => 'Torna alle impostazioni di privacy',
'Bio' => 'Bio', 'Bio' => 'Bio',
'Block' => 'Blocca', 'Block' => 'Blocca',
'Block status' => 'Stato di blocco', 'Block status' => 'Stato di blocco',
@ -107,13 +85,18 @@ return [
'Credentials will be sent to the user by email' => 'Le credenziali verranno inviate all\'utente via email', 'Credentials will be sent to the user by email' => 'Le credenziali verranno inviate all\'utente via email',
'Current password' => 'Password attuale', 'Current password' => 'Password attuale',
'Current password is not valid' => 'La password attuale non è valida', 'Current password is not valid' => 'La password attuale non è valida',
'Data processing consent' => 'Consenso al trattamento dei dati',
'Delete' => 'Elimina', 'Delete' => 'Elimina',
'Delete account' => 'Elimina account', 'Delete account' => 'Elimina account',
'Delete my account' => 'Elimina il mio account',
'Delete personal data' => 'Elimina i dati personali',
'Deleted by GDPR request' => 'Eliminato per richiesta GDPR',
'Description' => 'Descrizione', 'Description' => 'Descrizione',
'Didn\'t receive confirmation message?' => 'Non hai ricevuto il messaggio di conferma?', 'Didn\'t receive confirmation message?' => 'Non hai ricevuto il messaggio di conferma?',
'Disable two factor authentication' => 'Disabilita autenticazione a due fattori', 'Disable two factor authentication' => 'Disabilita autenticazione a due fattori',
'Disconnect' => 'Disconnetti', 'Disconnect' => 'Disconnetti',
'Don\'t have an account? Sign up!' => 'Non hai un account? Registrati!', 'Don\'t have an account? Sign up!' => 'Non hai un account? Registrati!',
'Download my data' => 'Scarica i miei dati',
'Email' => 'Email', 'Email' => 'Email',
'Email (public)' => 'Email (pubblica)', 'Email (public)' => 'Email (pubblica)',
'Enable' => 'Abilita', 'Enable' => 'Abilita',
@ -123,10 +106,14 @@ return [
'Error occurred while deleting user' => 'Si è verificato un errore durante l\'eliminazione dell\'utente', 'Error occurred while deleting user' => 'Si è verificato un errore durante l\'eliminazione dell\'utente',
'Error sending registration message to "{email}". Please try again later.' => 'C\'è stato un errore nell\'invio del messaggio di registrazione all\'indirizzo "{email}". Per favore ritenta più tardi.', 'Error sending registration message to "{email}". Please try again later.' => 'C\'è stato un errore nell\'invio del messaggio di registrazione all\'indirizzo "{email}". Per favore ritenta più tardi.',
'Error sending welcome message to "{email}". Please try again later.' => 'C\'è stato un errore nell\'invio del messaggio di benvenuto all\'indirizzo "{email}". Per favore ritenta più tardi.', 'Error sending welcome message to "{email}". Please try again later.' => 'C\'è stato un errore nell\'invio del messaggio di benvenuto all\'indirizzo "{email}". Per favore ritenta più tardi.',
'Export my data' => 'Esporta i miei dati',
'Finish' => 'Completa', 'Finish' => 'Completa',
'Force password change at next login' => 'Forza il cambio password al prossimo accesso',
'Forgot password?' => 'Password dimenticata?', 'Forgot password?' => 'Password dimenticata?',
'Gravatar email' => 'Email di Gravatar', 'Gravatar email' => 'Email di Gravatar',
'Hello' => 'Ciao', 'Hello' => 'Ciao',
'Here you can download your personal data in a comma separated values format.' => 'Da qui puoi scaricare i tuoi dati in formato CSV.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Consento al trattamento dei miei dati personali e all\'uso dei cookie per agevolare le attività di questo sito. Per ulteriori informazioni leggere la nostra {privacyPolicy}',
'If you already registered, sign in and connect this account on settings page' => 'Se sei già registrato accedi e collega questo account nella pagina delle impostazioni', 'If you already registered, sign in and connect this account on settings page' => 'Se sei già registrato accedi e collega questo account nella pagina delle impostazioni',
'If you cannot click the link, please try pasting the text into your browser' => 'Se non puoi fare click sul link prova a copiare ed incollare il testo nel browser', 'If you cannot click the link, please try pasting the text into your browser' => 'Se non puoi fare click sul link prova a copiare ed incollare il testo nel browser',
'If you did not make this request you can ignore this email' => 'Se non hai effettuato tu la richiesta puoi ignorare questa email', 'If you did not make this request you can ignore this email' => 'Se non hai effettuato tu la richiesta puoi ignorare questa email',
@ -137,11 +124,15 @@ return [
'Information' => 'Informazioni', 'Information' => 'Informazioni',
'Invalid login or password' => 'Utente o password non validi', 'Invalid login or password' => 'Utente o password non validi',
'Invalid or expired link' => 'Collegamento non valido o scaduto', 'Invalid or expired link' => 'Collegamento non valido o scaduto',
'Invalid password' => 'Password non valida',
'Invalid two factor authentication code' => 'Il codice dell\'autenticazione a due fattori non è valido', 'Invalid two factor authentication code' => 'Il codice dell\'autenticazione a due fattori non è valido',
'Invalid value' => 'Valore non valido', 'Invalid value' => 'Valore non valido',
'It will be deleted forever' => 'Sarà eliminato per sempre', 'It will be deleted forever' => 'Sarà eliminato per sempre',
'Items' => 'Elementi', 'Items' => 'Elementi',
'Joined on {0, date}' => 'Registrato il {0, date}', 'Joined on {0, date}' => 'Registrato il {0, date}',
'Last login IP' => 'IP ultimo accesso',
'Last login time' => 'Data ultimo accesso',
'Last password change' => 'Data cambio password',
'Location' => 'Posizione', 'Location' => 'Posizione',
'Login' => 'Accedi', 'Login' => 'Accedi',
'Logout' => 'Esci', 'Logout' => 'Esci',
@ -158,12 +149,16 @@ return [
'Not blocked' => 'Non bloccato', 'Not blocked' => 'Non bloccato',
'Not found' => 'Non trovato', 'Not found' => 'Non trovato',
'Once you delete your account, there is no going back' => 'Una volta eliminato il tuo account non sarà più possibile ripristinarlo', 'Once you delete your account, there is no going back' => 'Una volta eliminato il tuo account non sarà più possibile ripristinarlo',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'Una volta che avrai eliminato i tuoi dati non potrai più entrare con questo account.',
'Password' => 'Password', 'Password' => 'Password',
'Password age' => 'Età password',
'Password has been changed' => 'La password è stata modificata', 'Password has been changed' => 'La password è stata modificata',
'Permissions' => 'Permessi', 'Permissions' => 'Permessi',
'Please be certain' => 'Pensaci bene', 'Please be certain' => 'Pensaci bene',
'Please click the link below to complete your password reset' => 'Per favore fai click sul collegamento sotto per completare il cambio password', 'Please click the link below to complete your password reset' => 'Per favore fai click sul collegamento sotto per completare il cambio password',
'Please fix following errors:' => 'Per favore correggi i seguenti errori:', 'Please fix following errors:' => 'Per favore correggi i seguenti errori:',
'Privacy' => 'Privacy',
'Privacy settings' => 'Impostazioni privacy',
'Profile' => 'Profilo', 'Profile' => 'Profilo',
'Profile details' => 'Dettagli profilo', 'Profile details' => 'Dettagli profilo',
'Profile details have been updated' => 'I dettagli del profilo sono stati aggiornati', 'Profile details have been updated' => 'I dettagli del profilo sono stati aggiornati',
@ -201,16 +196,17 @@ return [
'The confirmation link is invalid or expired. Please try requesting a new one.' => 'Il link di conferma non è valido o scaduto. Per favore prova a richiederne uno nuovo', 'The confirmation link is invalid or expired. Please try requesting a new one.' => 'Il link di conferma non è valido o scaduto. Per favore prova a richiederne uno nuovo',
'The verification code is incorrect.' => 'Il codice di verifica non è corretto.', 'The verification code is incorrect.' => 'Il codice di verifica non è corretto.',
'There is neither role nor permission with name "{0}"' => 'Non esiste un ruolo o permesso di nome "{0}', 'There is neither role nor permission with name "{0}"' => 'Non esiste un ruolo o permesso di nome "{0}',
'There was an error in saving user' => 'Errore in salvataggio utente',
'This account has already been connected to another user' => 'Questo account è già stato associato ad un altro utente', 'This account has already been connected to another user' => 'Questo account è già stato associato ad un altro utente',
'This email address has already been taken' => 'Questo indirizzo email è già stato registrato', 'This email address has already been taken' => 'Questo indirizzo email è già stato registrato',
'This username has already been taken' => 'Questo nome utente è già stato registrato', 'This username has already been taken' => 'Questo nome utente è già stato registrato',
'This will disable two factor authentication. Are you sure?' => 'Stai per disabilitare l\'autenticazione a due fattori. Sei sicuro?', 'This will disable two factor authentication. Are you sure?' => 'Stai per disabilitare l\'autenticazione a due fattori. Sei sicuro?',
'This will remove your personal data from this site. You will no longer be able to sign in.' => 'Questa operazione rimuoverà i tuoi dati personali da questo sito. Non ti sarà più possibile effettuare l\'accesso.',
'Time zone' => 'Fuso orario', 'Time zone' => 'Fuso orario',
'Time zone is not valid' => 'Il fuso orario non è valido', 'Time zone is not valid' => 'Il fuso orario non è valido',
'Two Factor Authentication (2FA)' => 'Autenticazione a due fattori (2FA)', 'Two Factor Authentication (2FA)' => 'Autenticazione a due fattori (2FA)',
'Two factor authentication code' => 'Codice di autenticazione a due fattori', 'Two factor authentication code' => 'Codice di autenticazione a due fattori',
'Two factor authentication has been disabled.' => 'Autenticazione a due fattori disabilitata.', 'Two factor authentication has been disabled.' => 'Autenticazione a due fattori disabilitata.',
'Two factor authentication protects you against stolen credentials' => 'L\'autenticazione a due fattori può proteggerti dal furto di credenziali',
'Two factor authentication successfully enabled.' => 'Autenticazione a due fattori abilitata con successo.', 'Two factor authentication successfully enabled.' => 'Autenticazione a due fattori abilitata con successo.',
'Unable to confirm user. Please, try again.' => 'Impossibile confermare l\'utente, per favore ritenta.', 'Unable to confirm user. Please, try again.' => 'Impossibile confermare l\'utente, per favore ritenta.',
'Unable to create an account.' => 'Impossibile creare l\'account.', 'Unable to create an account.' => 'Impossibile creare l\'account.',
@ -241,6 +237,7 @@ return [
'User has been deleted' => 'L\'utente è stato eliminato', 'User has been deleted' => 'L\'utente è stato eliminato',
'User is not found' => 'Utente non trovato', 'User is not found' => 'Utente non trovato',
'User not found.' => 'Utente non trovato.', 'User not found.' => 'Utente non trovato.',
'User will be required to change password at next login' => 'L\'utente dovrà cambiare la password al prossimo accesso',
'Username' => 'Nome utente', 'Username' => 'Nome utente',
'Users' => 'Utenti', 'Users' => 'Utenti',
'VKontakte' => 'VKontakte', 'VKontakte' => 'VKontakte',
@ -253,6 +250,7 @@ return [
'Website' => 'Sito web', 'Website' => 'Sito web',
'Welcome to {0}' => 'Benvenuto su {0}', 'Welcome to {0}' => 'Benvenuto su {0}',
'Yandex' => 'Yandex', 'Yandex' => 'Yandex',
'You are about to delete all your personal data from this site.' => 'Stai per eliminare tutti i tuoi dati personali da questo sito.',
'You can assign multiple roles or permissions to user by using the form below' => 'Puoi assegnare più permessi o ruoli all\'utente usando il form sotto', 'You can assign multiple roles or permissions to user by using the form below' => 'Puoi assegnare più permessi o ruoli all\'utente usando il form sotto',
'You can connect multiple accounts to be able to log in using them' => 'Puoi collegare account esterni e fare login con quelli', 'You can connect multiple accounts to be able to log in using them' => 'Puoi collegare account esterni e fare login con quelli',
'You cannot remove your own account' => 'Non puoi eliminare il tuo account', 'You cannot remove your own account' => 'Non puoi eliminare il tuo account',
@ -266,8 +264,12 @@ return [
'Your account has been created and a message with further instructions has been sent to your email' => 'Il tuo account è stato creato ed abbiamo inviato un messaggio con i passaggi successivi al tuo indirizzo email', 'Your account has been created and a message with further instructions has been sent to your email' => 'Il tuo account è stato creato ed abbiamo inviato un messaggio con i passaggi successivi al tuo indirizzo email',
'Your account on {0} has been created' => 'Il tuo account presso {0} è stato creato', 'Your account on {0} has been created' => 'Il tuo account presso {0} è stato creato',
'Your confirmation token is invalid or expired' => 'Il token di conferma non è valido o è scaduto', 'Your confirmation token is invalid or expired' => 'Il token di conferma non è valido o è scaduto',
'Your consent is required to register' => 'È richiesto il tuo consenso per la registrazione',
'Your email address has been changed' => 'Il tuo indirizzo email è stato cambiato', 'Your email address has been changed' => 'Il tuo indirizzo email è stato cambiato',
'Your password has expired, you must change it now' => 'La tua password è scaduta, devi cambiarla',
'Your personal information has been removed' => 'I tuoi dati personali sono stati rimossi',
'Your profile has been updated' => 'Il tuo profilo è stato aggiornato', 'Your profile has been updated' => 'Il tuo profilo è stato aggiornato',
'privacy policy' => 'politica della privacy',
'{0, date, MMMM dd, YYYY HH:mm}' => '{0, date, dd MMMM YYYY HH:mm}', '{0, date, MMMM dd, YYYY HH:mm}' => '{0, date, dd MMMM YYYY HH:mm}',
'{0} cannot be blank.' => '{0} non può essere vuoto.', '{0} cannot be blank.' => '{0} non può essere vuoto.',
]; ];

View File

@ -204,7 +204,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to confirm user. Please, try again.' => '', 'Unable to confirm user. Please, try again.' => '',
'Unable to create an account.' => '', 'Unable to create an account.' => '',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -204,7 +204,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to confirm user. Please, try again.' => '', 'Unable to confirm user. Please, try again.' => '',
'Unable to create an account.' => '', 'Unable to create an account.' => '',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -17,6 +17,32 @@
* NOTE: this file must be saved in UTF-8 encoding. * NOTE: this file must be saved in UTF-8 encoding.
*/ */
return [ return [
'Two factor authentication protects you in case of stolen credentials' => '',
'A message has been sent to your email address. ' => '@@Een bericht werd naar jouw emailadres verzonden@@',
'Awesome, almost there. ' => '@@Super, bijna klaar.@@',
'Class "{0}" does not exist' => '@@Class "{0} bestaat niet@@',
'Disable Two-Factor Auth' => '@@Tweetraps authenticatie uitschakelen@@',
'Enable Two-factor auth' => '@@Tweetraps authenticatie inschakelen@@',
'I aggree processing of my personal data and the use of cookies
to facilitate the operation of this site. For more information read our {privacyPolicy}' => '@@Ik ga akkoord dat mijn persoonlijke data en cookies worden verwerkt voor het gebruik van deze website. Voor meer informatie lees onze {privacyPolicy}@@',
'I aggree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => '@@Ik ga akkoord dat mijn persoonlijke data en cookies worden verwerkt voor het gebruik van deze website. Voor meer informatie lees onze {privacyPolicy}@@',
'Invalid two-factor code' => '@@Ongeldige tweetraps authenticatie code@@',
'Last login' => '@@Laatste login@@',
'Registration ip' => '@@Registratie IP@@',
'Rule class can not be instantiated' => '@@Registratie IP@@',
'Rule class must extend "yii\\rbac\\Rule"' => '@@Regel klasse moet worden uitgebreid met "yii\\rbac\\Rule"@@',
'This will disable two-factor auth. Are you sure?' => '@@Dit zal de tweetraps authenticatie uitschakelen. Ben je zeker?@@',
'Two Factor Authentication' => '@@Tweetraps authenticatie@@',
'Two factor authentication protects you against stolen credentials' => '@@Tweetraps authenticatie beschermt je tegen gestolen inloggegevens@@',
'Two factor successfully enabled.' => '@@Tweetraps authenticatie ingeschakeld@@',
'Two-Factor Authentication' => '@@Tweetraps authenticatie@@',
'Two-factor auth protects you against stolen credentials' => '@@Tweetraps authenticatie beschermt je tegen gestolen authenticatie gegevens@@',
'Two-factor authentication code' => '@@Tweetraps authenticatie code@@',
'Two-factor authorization has been disabled.' => '@@Tweetraps authenticatie werd uitgeschakeld.@@',
'Two-factor code' => '@@Tweetraps authenticatie code@@',
'Unable to disable two-factor authorization.' => '@@Tweetraps authenticatie kon niet worden uitgeschakeld@@',
'We couldn\'t re-send the mail to confirm your address. ' => '@@Wij konden de email bevestigingsmail niet opnieuw naar jouw adres verzenden.@@',
'We have sent confirmation links to both old and new email addresses. ' => '@@We hebben de bevestigingsmail naar zowel jouw oud als nieuw emailadres verzonden.@@',
'(not set)' => '(niet ingesteld)', '(not set)' => '(niet ingesteld)',
'A confirmation message has been sent to your new email address' => 'Er werd een bevestigingsmail naar het nieuwe emailadres verzonden', 'A confirmation message has been sent to your new email address' => 'Er werd een bevestigingsmail naar het nieuwe emailadres verzonden',
'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Een email met daarin een bevestigingslink werd verzonden naar jouw email adres. Klik op de link om de registratie te vervolledigen.', 'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Een email met daarin een bevestigingslink werd verzonden naar jouw email adres. Klik op de link om de registratie te vervolledigen.',
@ -204,7 +230,6 @@ return [
'Two Factor Authentication (2FA)' => 'Tweetraps authenticatie (2FA)', 'Two Factor Authentication (2FA)' => 'Tweetraps authenticatie (2FA)',
'Two factor authentication code' => 'Tweetraps authenticatie code', 'Two factor authentication code' => 'Tweetraps authenticatie code',
'Two factor authentication has been disabled.' => 'Tweetraps authenticatie is uitgeschakeld', 'Two factor authentication has been disabled.' => 'Tweetraps authenticatie is uitgeschakeld',
'Two factor authentication protects you against stolen credentials' => 'Tweetraps authenticatie beschermt je tegen gestolen inloggegevens',
'Two factor authentication successfully enabled.' => 'Tweetraps authenticatie met succes ingeschakeld', 'Two factor authentication successfully enabled.' => 'Tweetraps authenticatie met succes ingeschakeld',
'Unable to confirm user. Please, try again.' => 'Onmogelijk om de gebruiker te bevestigen. Probeer opnieuw.', 'Unable to confirm user. Please, try again.' => 'Onmogelijk om de gebruiker te bevestigen. Probeer opnieuw.',
'Unable to create an account.' => 'Onmogelijk om een account aan te maken.', 'Unable to create an account.' => 'Onmogelijk om een account aan te maken.',
@ -268,31 +293,7 @@ return [
'Your personal information has been removed' => 'Jouw persoonlijke gegevens werden verwijderd', 'Your personal information has been removed' => 'Jouw persoonlijke gegevens werden verwijderd',
'Your profile has been updated' => 'Jouw profiel werd geupdate', 'Your profile has been updated' => 'Jouw profiel werd geupdate',
'privacy policy' => 'privacy policy', 'privacy policy' => 'privacy policy',
'{0, date, MMM dd, YYYY HH:mm}' => '{0, date, MMM dd, YYYY HH:mm}',
'{0, date, MMMM dd, YYYY HH:mm}' => '{0, date, MMMM dd, YYYY HH:mm}\'', '{0, date, MMMM dd, YYYY HH:mm}' => '{0, date, MMMM dd, YYYY HH:mm}\'',
'{0} cannot be blank.' => '{0} kan niet leeg zijn.', '{0} cannot be blank.' => '{0} kan niet leeg zijn.',
'A message has been sent to your email address. ' => 'Een bericht werd naar jouw emailadres verzonden',
'Awesome, almost there. ' => 'Super, bijna klaar.',
'Class "{0}" does not exist' => 'Class "{0} bestaat niet',
'Disable Two-Factor Auth' => 'Tweetraps authenticatie uitschakelen',
'Enable Two-factor auth' => 'Tweetraps authenticatie inschakelen',
'I aggree processing of my personal data and the use of cookies
to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Ik ga akkoord dat mijn persoonlijke data en cookies worden verwerkt voor het gebruik van deze website. Voor meer informatie lees onze {privacyPolicy}',
'I aggree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Ik ga akkoord dat mijn persoonlijke data en cookies worden verwerkt voor het gebruik van deze website. Voor meer informatie lees onze {privacyPolicy}',
'Invalid two-factor code' => 'Ongeldige tweetraps authenticatie code',
'Last login' => 'Laatste login',
'Registration ip' => 'Registratie IP',
'Rule class can not be instantiated' => 'Registratie IP',
'Rule class must extend "yii\\rbac\\Rule"' => 'Regel klasse moet worden uitgebreid met "yii\\rbac\\Rule"',
'This will disable two-factor auth. Are you sure?' => 'Dit zal de tweetraps authenticatie uitschakelen. Ben je zeker?',
'Two Factor Authentication' => 'Tweetraps authenticatie',
'Two factor successfully enabled.' => 'Tweetraps authenticatie ingeschakeld',
'Two-Factor Authentication' => 'Tweetraps authenticatie',
'Two-factor auth protects you against stolen credentials' => 'Tweetraps authenticatie beschermt je tegen gestolen authenticatie gegevens',
'Two-factor authentication code' => 'Tweetraps authenticatie code',
'Two-factor authorization has been disabled.' => 'Tweetraps authenticatie werd uitgeschakeld.',
'Two-factor code' => 'Tweetraps authenticatie code',
'Unable to disable two-factor authorization.' => 'Tweetraps authenticatie kon niet worden uitgeschakeld',
'We couldn\'t re-send the mail to confirm your address. ' => 'Wij konden de email bevestigingsmail niet opnieuw naar jouw adres verzenden.',
'We have sent confirmation links to both old and new email addresses. ' => 'We hebben de bevestigingsmail naar zowel jouw oud als nieuw emailadres verzonden.',
'{0, date, MMM dd, YYYY HH:mm}' => '{0, date, MMM dd, YYYY HH:mm}',
]; ];

View File

@ -17,57 +17,7 @@
* NOTE: this file must be saved in UTF-8 encoding. * NOTE: this file must be saved in UTF-8 encoding.
*/ */
return [ return [
'Are you sure you wish the user to change their password at next login?' => 'Czy na pewno chcesz, aby użytkownik musiał zmienić hasło przy następnym logowaniu?', 'Two factor authentication protects you in case of stolen credentials' => '',
'Are you sure you wish to send a password recovery email to this user?' => 'Czy na pewno chcesz wysłać email z instrukcją odzyskiwania hasła do tego użytkownika?',
'Back to privacy settings' => 'Powrót do ustawień prywatności',
'Cannot assign role "{0}" as the AuthManager is not configured on your console application.' => 'Nie można przydzielić roli "{0}", ponieważ AuthManager nie jest skonfigurowany dla aplikacji konsolowej.',
'Data processing consent' => 'Zgoda na przetwarzanie danych',
'Delete my account' => 'Usuń moje konto',
'Delete personal data' => 'Usuń dane osobowe',
'Deleted by GDPR request' => 'Usunięte w wyniku żądania GDPR',
'Disable two factor authentication' => 'Wyłącz uwierzytelnianie dwuetapowe',
'Download my data' => 'Pobierz swoje dane',
'Enable two factor authentication' => 'Włącz uwierzytelnianie dwuetapowe',
'Error sending registration message to "{email}". Please try again later.' => 'Wystąpił błąd podczas wysyłania wiadomości o rejestracji do "{email}". Prosimy o spróbowanie ponownie później.',
'Error sending welcome message to "{email}". Please try again later.' => 'Wystąpił błąd podczas wysyłania wiadomości powitalnej do "{email}". Prosimy o spróbowanie ponownie później.',
'Export my data' => 'Eksportuj moje dane',
'Force password change at next login' => 'Wymuś zmianę hasła przy następnym logowaniu',
'Here you can download your personal data in a comma separated values format.' => 'Tutaj możesz pobrać swoje dane osobowe w formacie CSV.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Zgadzam się na przetwarzanie moich danych osobowych i na użycie cookies w celu zapewnienia możliwości poprawnego działania tego serwisu. Aby dowiedzieć się więcej na ten temat, zapoznaj się z naszą {privacyPolicy}.',
'Invalid password' => 'Nieprawidłowe hasło',
'Invalid two factor authentication code' => 'Nieprawidłowy kod uwierzytelniania dwuetapowego',
'Last login IP' => 'IP ostatniego logowania',
'Last login time' => 'Czas ostatniego logowania',
'Last password change' => 'Ostatnia zmiana hasła',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'Po skasowaniu swoich danych nie będziesz już mógł zalogować się na to konto.',
'Password age' => 'Wiek hasła',
'Privacy' => 'Prywatność',
'Privacy settings' => 'Ustawienia prywatności',
'Required "key" cannot be empty.' => 'Wymagany "klucz" nie może pozostać bez wartości.',
'Required "secret" cannot be empty.' => 'Wymagany "sekret" nie może pozostać bez wartości.',
'Role "{0}" not found. Creating it.' => 'Rola "{0}" nie została znaleziona. Tworzę ją.',
'Send password recovery email' => 'Wyślij email z instrukcją odzyskiwania hasła',
'The "recaptcha" component must be configured.' => 'Komponent "recaptcha" musi być skonfigurowany.',
'The verification code is incorrect.' => 'Kod weryfikacyjny jest nieprawidłowy.',
'There was an error in saving user' => 'Wystąpił błąd podczas zapisywania użytkownika',
'This will disable two factor authentication. Are you sure?' => 'Uwierzytelnianie dwuetapowe zostanie wyłączone. Czy kontynuować?',
'This will remove your personal data from this site. You will no longer be able to sign in.' => 'Twoje dane osobowe zostaną usunięte z tego serwisu. Nie będziesz już mógł się zalogować.',
'Two Factor Authentication (2FA)' => 'Uwierzytelnianie dwuetapowe (2FA)',
'Two factor authentication code' => 'Kod uwierzytelniania dwuetapowego',
'Two factor authentication has been disabled.' => 'Uwierzytelnianie dwuetapowe zostało wyłączone',
'Two factor authentication protects you against stolen credentials' => 'Uwierzytelnianie dwuetapowe chroni Cię przed kradzieżą danych logowania',
'Two factor authentication successfully enabled.' => 'Uwierzytelnianie dwuetapowe zostało pomyślnie włączone.',
'Unable to disable Two factor authentication.' => 'Nie udało się wyłączyć uwierzytelniania dwuetapowego.',
'Unable to send recovery message to the user' => 'Nie udało się wysłać instrukcji odzyskiwania hasła do użytkownika',
'User account could not be created.' => 'Konto użytkownika nie mogło zostać utworzone.',
'User could not be registered.' => 'Użytkownik nie mógł zostać zarejestrowany.',
'User will be required to change password at next login' => 'Użytkownik będzie musiał zmienić hasło przy następnym logowaniu',
'You are about to delete all your personal data from this site.' => 'Usuwasz wszystkie swoje dane osobowe z tego serwisu.',
'Your consent is required to register' => 'Twoja zgoda jest wymagana do rejestracji',
'Your password has expired, you must change it now' => 'Twoje hasło zostało zdezaktualizowane, musisz je teraz zmienić',
'Your personal information has been removed' => 'Twoje dane osobowe zostały usunięte',
'privacy policy' => 'polityką prywatności',
'{0} cannot be blank.' => '{0} nie może pozostać bez wartości',
'Disable Two-Factor Auth' => '@@Wyłącz uwierzytelnianie dwuetapowe@@', 'Disable Two-Factor Auth' => '@@Wyłącz uwierzytelnianie dwuetapowe@@',
'Enable Two-factor auth' => '@@Włącz uwierzytelnianie dwuetapowe@@', 'Enable Two-factor auth' => '@@Włącz uwierzytelnianie dwuetapowe@@',
'I aggree processing of my personal data and the use of cookies 'I aggree processing of my personal data and the use of cookies
@ -77,6 +27,7 @@ return [
'Last login' => '@@Data ostatniego logowania@@', 'Last login' => '@@Data ostatniego logowania@@',
'This will disable two-factor auth. Are you sure?' => '@@To wyłączy uwierzytelnianie dwuetapowe. Czy jesteś pewny?@@', 'This will disable two-factor auth. Are you sure?' => '@@To wyłączy uwierzytelnianie dwuetapowe. Czy jesteś pewny?@@',
'Two Factor Authentication' => '@@Uwierzytelnianie dwuetapowe@@', 'Two Factor Authentication' => '@@Uwierzytelnianie dwuetapowe@@',
'Two factor authentication protects you against stolen credentials' => '@@Uwierzytelnianie dwuetapowe chroni Cię przed kradzieżą danych logowania@@',
'Two factor successfully enabled.' => '@@Dwuetapowe uwierzytelnianie poprawnie włączone.@@', 'Two factor successfully enabled.' => '@@Dwuetapowe uwierzytelnianie poprawnie włączone.@@',
'Two-Factor Authentication' => '@@Uwierzytelnianie dwuetapowe@@', 'Two-Factor Authentication' => '@@Uwierzytelnianie dwuetapowe@@',
'Two-factor auth protects you against stolen credentials' => '@@Uwierzytelnianie dwuetapowe chroni Cię przed kradzieżą danych logowania@@', 'Two-factor auth protects you against stolen credentials' => '@@Uwierzytelnianie dwuetapowe chroni Cię przed kradzieżą danych logowania@@',
@ -84,7 +35,6 @@ return [
'Two-factor authorization has been disabled.' => '@@Dwuetapowa autoryzacja została wyłączona.@@', 'Two-factor authorization has been disabled.' => '@@Dwuetapowa autoryzacja została wyłączona.@@',
'Two-factor code' => '@@Kod dwuetapowy@@', 'Two-factor code' => '@@Kod dwuetapowy@@',
'Unable to disable two-factor authorization.' => '@@Nie można wyłączyć dwuetapowej autoryzacji.@@', 'Unable to disable two-factor authorization.' => '@@Nie można wyłączyć dwuetapowej autoryzacji.@@',
'{0, date, MMM dd, YYYY HH:mm}' => '@@@@',
'(not set)' => '(nie podano)', '(not set)' => '(nie podano)',
'A confirmation message has been sent to your new email address' => 'Potwierdzenie zostało wysłane na Twój nowy adres email', 'A confirmation message has been sent to your new email address' => 'Potwierdzenie zostało wysłane na Twój nowy adres email',
'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Wysłaliśmy wiadomość na Twój adres email, zawierającą link aktywacyjny, w który musisz kliknąć, aby zakończyć rejestrację.', 'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Wysłaliśmy wiadomość na Twój adres email, zawierającą link aktywacyjny, w który musisz kliknąć, aby zakończyć rejestrację.',
@ -103,6 +53,8 @@ return [
'Are you sure you want to delete this user?' => 'Czy na pewno chcesz usunąć tego użytkownika?', 'Are you sure you want to delete this user?' => 'Czy na pewno chcesz usunąć tego użytkownika?',
'Are you sure you want to switch to this user for the rest of this Session?' => 'Czy na pewno chcesz przełączyć się na tego użytkownika do końca aktualnej sesji?', 'Are you sure you want to switch to this user for the rest of this Session?' => 'Czy na pewno chcesz przełączyć się na tego użytkownika do końca aktualnej sesji?',
'Are you sure you want to unblock this user?' => 'Czy na pewno chcesz odblokować tego użytkownika?', 'Are you sure you want to unblock this user?' => 'Czy na pewno chcesz odblokować tego użytkownika?',
'Are you sure you wish the user to change their password at next login?' => 'Czy na pewno chcesz, aby użytkownik musiał zmienić hasło przy następnym logowaniu?',
'Are you sure you wish to send a password recovery email to this user?' => 'Czy na pewno chcesz wysłać email z instrukcją odzyskiwania hasła do tego użytkownika?',
'Are you sure? Deleted user can not be restored' => 'Czy na pewno? Usuniętego użytkownika nie można już przywrócić', 'Are you sure? Deleted user can not be restored' => 'Czy na pewno? Usuniętego użytkownika nie można już przywrócić',
'Are you sure? There is no going back' => 'Czy na pewno? Z tego miejsca nie ma powrotu', 'Are you sure? There is no going back' => 'Czy na pewno? Z tego miejsca nie ma powrotu',
'Assignments' => 'Przydziały', 'Assignments' => 'Przydziały',
@ -117,11 +69,13 @@ return [
'Authorization rule has been updated.' => 'Zasada autoryzacji została zaktualizowana.', 'Authorization rule has been updated.' => 'Zasada autoryzacji została zaktualizowana.',
'Awesome, almost there. Now you need to click the confirmation link sent to your new email address.' => 'Super, już prawie gotowe. Teraz musisz kliknąć link aktywacyjny wysłany na nowy adres email.', 'Awesome, almost there. Now you need to click the confirmation link sent to your new email address.' => 'Super, już prawie gotowe. Teraz musisz kliknąć link aktywacyjny wysłany na nowy adres email.',
'Awesome, almost there. Now you need to click the confirmation link sent to your old email address.' => 'Super, już prawie gotowe. Teraz musisz kliknąć link aktywacyjny wysłany na stary adres email.', 'Awesome, almost there. Now you need to click the confirmation link sent to your old email address.' => 'Super, już prawie gotowe. Teraz musisz kliknąć link aktywacyjny wysłany na stary adres email.',
'Back to privacy settings' => 'Powrót do ustawień prywatności',
'Bio' => 'Notka', 'Bio' => 'Notka',
'Block' => 'Zablokuj', 'Block' => 'Zablokuj',
'Block status' => 'Status blokady', 'Block status' => 'Status blokady',
'Blocked at {0, date, MMMM dd, YYYY HH:mm}' => 'Zablokowany dnia {0, date, dd MMMM YYYY, HH:mm}', 'Blocked at {0, date, MMMM dd, YYYY HH:mm}' => 'Zablokowany dnia {0, date, dd MMMM YYYY, HH:mm}',
'Cancel' => 'Anuluj', 'Cancel' => 'Anuluj',
'Cannot assign role "{0}" as the AuthManager is not configured on your console application.' => 'Nie można przydzielić roli "{0}", ponieważ AuthManager nie jest skonfigurowany dla aplikacji konsolowej.',
'Change your avatar at Gravatar.com' => 'Zmień swój awatar na Gravatar.com', 'Change your avatar at Gravatar.com' => 'Zmień swój awatar na Gravatar.com',
'Children' => 'Dzieci', 'Children' => 'Dzieci',
'Class' => 'Klasa', 'Class' => 'Klasa',
@ -146,22 +100,35 @@ return [
'Credentials will be sent to the user by email' => 'Dane logowania zostaną wysłane użytkownikowi na adres email', 'Credentials will be sent to the user by email' => 'Dane logowania zostaną wysłane użytkownikowi na adres email',
'Current password' => 'Aktualne hasło', 'Current password' => 'Aktualne hasło',
'Current password is not valid' => 'Aktualne hasło jest niepoprawne', 'Current password is not valid' => 'Aktualne hasło jest niepoprawne',
'Data processing consent' => 'Zgoda na przetwarzanie danych',
'Delete' => 'Usuń', 'Delete' => 'Usuń',
'Delete account' => 'Usuń konto', 'Delete account' => 'Usuń konto',
'Delete my account' => 'Usuń moje konto',
'Delete personal data' => 'Usuń dane osobowe',
'Deleted by GDPR request' => 'Usunięte w wyniku żądania GDPR',
'Description' => 'Opis', 'Description' => 'Opis',
'Didn\'t receive confirmation message?' => 'Nie otrzymałeś emaila aktywacyjnego?', 'Didn\'t receive confirmation message?' => 'Nie otrzymałeś emaila aktywacyjnego?',
'Disable two factor authentication' => 'Wyłącz uwierzytelnianie dwuetapowe',
'Disconnect' => 'Odłącz', 'Disconnect' => 'Odłącz',
'Don\'t have an account? Sign up!' => 'Nie masz jeszcze konto? Zarejestruj się!', 'Don\'t have an account? Sign up!' => 'Nie masz jeszcze konto? Zarejestruj się!',
'Download my data' => 'Pobierz swoje dane',
'Email' => 'Email', 'Email' => 'Email',
'Email (public)' => 'Email (publiczny)', 'Email (public)' => 'Email (publiczny)',
'Enable' => 'Włącz', 'Enable' => 'Włącz',
'Enable two factor authentication' => 'Włącz uwierzytelnianie dwuetapowe',
'Error occurred while changing password' => 'Wystąpił błąd podczas zmiany hasła', 'Error occurred while changing password' => 'Wystąpił błąd podczas zmiany hasła',
'Error occurred while confirming user' => 'Wystąpił błąd podczas aktywacji użytkownika', 'Error occurred while confirming user' => 'Wystąpił błąd podczas aktywacji użytkownika',
'Error occurred while deleting user' => 'Wystąpił błąd podczas usuwania użytkownika', 'Error occurred while deleting user' => 'Wystąpił błąd podczas usuwania użytkownika',
'Error sending registration message to "{email}". Please try again later.' => 'Wystąpił błąd podczas wysyłania wiadomości o rejestracji do "{email}". Prosimy o spróbowanie ponownie później.',
'Error sending welcome message to "{email}". Please try again later.' => 'Wystąpił błąd podczas wysyłania wiadomości powitalnej do "{email}". Prosimy o spróbowanie ponownie później.',
'Export my data' => 'Eksportuj moje dane',
'Finish' => 'Gotowe', 'Finish' => 'Gotowe',
'Force password change at next login' => 'Wymuś zmianę hasła przy następnym logowaniu',
'Forgot password?' => 'Zapomniałeś hasła?', 'Forgot password?' => 'Zapomniałeś hasła?',
'Gravatar email' => 'Email z Gravatara', 'Gravatar email' => 'Email z Gravatara',
'Hello' => 'Witaj', 'Hello' => 'Witaj',
'Here you can download your personal data in a comma separated values format.' => 'Tutaj możesz pobrać swoje dane osobowe w formacie CSV.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Zgadzam się na przetwarzanie moich danych osobowych i na użycie cookies w celu zapewnienia możliwości poprawnego działania tego serwisu. Aby dowiedzieć się więcej na ten temat, zapoznaj się z naszą {privacyPolicy}.',
'If you already registered, sign in and connect this account on settings page' => 'Jeśli jesteś już zarejestrowany, zaloguj się i podłącz to konto na stronie ustawień', 'If you already registered, sign in and connect this account on settings page' => 'Jeśli jesteś już zarejestrowany, zaloguj się i podłącz to konto na stronie ustawień',
'If you cannot click the link, please try pasting the text into your browser' => 'Jeśli kliknięcie w link nie działa, spróbuj skopiować go i wkleić w pasku adresu przeglądarki', 'If you cannot click the link, please try pasting the text into your browser' => 'Jeśli kliknięcie w link nie działa, spróbuj skopiować go i wkleić w pasku adresu przeglądarki',
'If you did not make this request you can ignore this email' => 'Jeśli nie jesteś autorem tego żądania, prosimy o zignorowanie emaila.', 'If you did not make this request you can ignore this email' => 'Jeśli nie jesteś autorem tego żądania, prosimy o zignorowanie emaila.',
@ -172,10 +139,15 @@ return [
'Information' => 'Informacja', 'Information' => 'Informacja',
'Invalid login or password' => 'Nieprawidłowy login lub hasło', 'Invalid login or password' => 'Nieprawidłowy login lub hasło',
'Invalid or expired link' => 'Nieprawidłowy lub zdezaktualizowany link', 'Invalid or expired link' => 'Nieprawidłowy lub zdezaktualizowany link',
'Invalid password' => 'Nieprawidłowe hasło',
'Invalid two factor authentication code' => 'Nieprawidłowy kod uwierzytelniania dwuetapowego',
'Invalid value' => 'Nieprawidłowa wartość', 'Invalid value' => 'Nieprawidłowa wartość',
'It will be deleted forever' => 'Usuniętych kont nie można przywrócić', 'It will be deleted forever' => 'Usuniętych kont nie można przywrócić',
'Items' => 'Elementy', 'Items' => 'Elementy',
'Joined on {0, date}' => 'Dołączył {0, date}', 'Joined on {0, date}' => 'Dołączył {0, date}',
'Last login IP' => 'IP ostatniego logowania',
'Last login time' => 'Czas ostatniego logowania',
'Last password change' => 'Ostatnia zmiana hasła',
'Location' => 'Lokalizacja', 'Location' => 'Lokalizacja',
'Login' => 'Login', 'Login' => 'Login',
'Logout' => 'Wyloguj', 'Logout' => 'Wyloguj',
@ -192,12 +164,16 @@ return [
'Not blocked' => 'Nieblokowany', 'Not blocked' => 'Nieblokowany',
'Not found' => 'Nie znaleziono', 'Not found' => 'Nie znaleziono',
'Once you delete your account, there is no going back' => 'Kliknięcie w przycisk jest nieodwracalne', 'Once you delete your account, there is no going back' => 'Kliknięcie w przycisk jest nieodwracalne',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'Po skasowaniu swoich danych nie będziesz już mógł zalogować się na to konto.',
'Password' => 'Hasło', 'Password' => 'Hasło',
'Password age' => 'Wiek hasła',
'Password has been changed' => 'Hasło zostało zmienione', 'Password has been changed' => 'Hasło zostało zmienione',
'Permissions' => 'Uprawnienia', 'Permissions' => 'Uprawnienia',
'Please be certain' => 'Prosimy kontynuować z rozwagą', 'Please be certain' => 'Prosimy kontynuować z rozwagą',
'Please click the link below to complete your password reset' => 'Kliknij w link poniżej, aby zresetować swoje hasło', 'Please click the link below to complete your password reset' => 'Kliknij w link poniżej, aby zresetować swoje hasło',
'Please fix following errors:' => 'Popraw następujące błędy:', 'Please fix following errors:' => 'Popraw następujące błędy:',
'Privacy' => 'Prywatność',
'Privacy settings' => 'Ustawienia prywatności',
'Profile' => 'Profil', 'Profile' => 'Profil',
'Profile details' => 'Szczegóły profilu', 'Profile details' => 'Szczegóły profilu',
'Profile details have been updated' => 'Szczegóły profilu zostały zaktualizowane', 'Profile details have been updated' => 'Szczegóły profilu zostały zaktualizowane',
@ -210,7 +186,10 @@ return [
'Registration time' => 'Data rejestracji', 'Registration time' => 'Data rejestracji',
'Remember me next time' => 'Zapamiętaj mnie następnym razem', 'Remember me next time' => 'Zapamiętaj mnie następnym razem',
'Request new confirmation message' => 'Nowy email aktywacyjny', 'Request new confirmation message' => 'Nowy email aktywacyjny',
'Required "key" cannot be empty.' => 'Wymagany "klucz" nie może pozostać bez wartości.',
'Required "secret" cannot be empty.' => 'Wymagany "sekret" nie może pozostać bez wartości.',
'Reset your password' => 'Resetowanie hasła', 'Reset your password' => 'Resetowanie hasła',
'Role "{0}" not found. Creating it.' => 'Rola "{0}" nie została znaleziona. Tworzę ją.',
'Roles' => 'Role', 'Roles' => 'Role',
'Rule' => 'Zasada', 'Rule' => 'Zasada',
'Rule class must extend "yii\\rbac\\Rule".' => 'Klasa zasady musi rozszerzać "yii\\rbac\\Rule".', 'Rule class must extend "yii\\rbac\\Rule".' => 'Klasa zasady musi rozszerzać "yii\\rbac\\Rule".',
@ -221,26 +200,38 @@ return [
'Rules' => 'Zasady', 'Rules' => 'Zasady',
'Save' => 'Zapisz', 'Save' => 'Zapisz',
'Scan the QrCode with Google Authenticator App, then insert its temporary code on the box and submit.' => 'Zeskanuj kod QR za pomocą aplikacji Google Authenticator, a następnie podaj i prześlij uzyskany w ten sposób kod tymczasowy.', 'Scan the QrCode with Google Authenticator App, then insert its temporary code on the box and submit.' => 'Zeskanuj kod QR za pomocą aplikacji Google Authenticator, a następnie podaj i prześlij uzyskany w ten sposób kod tymczasowy.',
'Send password recovery email' => 'Wyślij email z instrukcją odzyskiwania hasła',
'Sign in' => 'Zaloguj się', 'Sign in' => 'Zaloguj się',
'Sign up' => 'Zarejestruj się', 'Sign up' => 'Zarejestruj się',
'Something went wrong' => 'Coś poszło nie tak', 'Something went wrong' => 'Coś poszło nie tak',
'Switch identities is disabled.' => 'Przełączanie tożsamości jest wyłączone.', 'Switch identities is disabled.' => 'Przełączanie tożsamości jest wyłączone.',
'Thank you for signing up on {0}' => 'Dziękujemy za rejestrację w serwisie {0}', 'Thank you for signing up on {0}' => 'Dziękujemy za rejestrację w serwisie {0}',
'Thank you, registration is now complete.' => 'Dziękujemy, proces rejestracji został zakończony.', 'Thank you, registration is now complete.' => 'Dziękujemy, proces rejestracji został zakończony.',
'The "recaptcha" component must be configured.' => 'Komponent "recaptcha" musi być skonfigurowany.',
'The confirmation link is invalid or expired. Please try requesting a new one.' => 'Link aktywacyjny jest nieprawidłowy lub zdezaktualizowany. Musisz poprosić o nowy.', 'The confirmation link is invalid or expired. Please try requesting a new one.' => 'Link aktywacyjny jest nieprawidłowy lub zdezaktualizowany. Musisz poprosić o nowy.',
'The verification code is incorrect.' => 'Kod weryfikacyjny jest nieprawidłowy.',
'There is neither role nor permission with name "{0}"' => 'Nie ma ani uprawnienia, ani roli o nazwie "{0}"', 'There is neither role nor permission with name "{0}"' => 'Nie ma ani uprawnienia, ani roli o nazwie "{0}"',
'There was an error in saving user' => 'Wystąpił błąd podczas zapisywania użytkownika',
'This account has already been connected to another user' => 'To konto zostało już dołączone do innego użytkownika', 'This account has already been connected to another user' => 'To konto zostało już dołączone do innego użytkownika',
'This email address has already been taken' => 'Ten adres email jest już używany', 'This email address has already been taken' => 'Ten adres email jest już używany',
'This username has already been taken' => 'Ta nazwa użytkownika jest już zajęta', 'This username has already been taken' => 'Ta nazwa użytkownika jest już zajęta',
'This will disable two factor authentication. Are you sure?' => 'Uwierzytelnianie dwuetapowe zostanie wyłączone. Czy kontynuować?',
'This will remove your personal data from this site. You will no longer be able to sign in.' => 'Twoje dane osobowe zostaną usunięte z tego serwisu. Nie będziesz już mógł się zalogować.',
'Time zone' => 'Strefa czasowa', 'Time zone' => 'Strefa czasowa',
'Time zone is not valid' => 'Strefa czasowa jest niepoprawna', 'Time zone is not valid' => 'Strefa czasowa jest niepoprawna',
'Two Factor Authentication (2FA)' => 'Uwierzytelnianie dwuetapowe (2FA)',
'Two factor authentication code' => 'Kod uwierzytelniania dwuetapowego',
'Two factor authentication has been disabled.' => 'Uwierzytelnianie dwuetapowe zostało wyłączone',
'Two factor authentication successfully enabled.' => 'Uwierzytelnianie dwuetapowe zostało pomyślnie włączone.',
'Unable to confirm user. Please, try again.' => 'Nie można aktywować użytkownika. Proszę spróbować ponownie.', 'Unable to confirm user. Please, try again.' => 'Nie można aktywować użytkownika. Proszę spróbować ponownie.',
'Unable to create an account.' => 'Nie można utworzyć konta.', 'Unable to create an account.' => 'Nie można utworzyć konta.',
'Unable to create authorization item.' => 'Nie można utworzyć celu autoryzacji.', 'Unable to create authorization item.' => 'Nie można utworzyć celu autoryzacji.',
'Unable to create new authorization rule.' => 'Nie można utworzyć zasady autoryzacji.', 'Unable to create new authorization rule.' => 'Nie można utworzyć zasady autoryzacji.',
'Unable to delete user. Please, try again later.' => 'Nie można usunąć użytkownika. Proszę spróbować ponownie później.', 'Unable to delete user. Please, try again later.' => 'Nie można usunąć użytkownika. Proszę spróbować ponownie później.',
'Unable to disable Two factor authentication.' => 'Nie udało się wyłączyć uwierzytelniania dwuetapowego.',
'Unable to remove authorization item.' => 'Nie można usunąć celu autoryzacji.', 'Unable to remove authorization item.' => 'Nie można usunąć celu autoryzacji.',
'Unable to send confirmation link' => 'Nie można wysłać linka aktywacyjnego', 'Unable to send confirmation link' => 'Nie można wysłać linka aktywacyjnego',
'Unable to send recovery message to the user' => 'Nie udało się wysłać instrukcji odzyskiwania hasła do użytkownika',
'Unable to update authorization item.' => 'Nie można zaktualizować celu autoryzacji.', 'Unable to update authorization item.' => 'Nie można zaktualizować celu autoryzacji.',
'Unable to update authorization rule.' => 'Nie można zaktualizować zasady autoryzacji.', 'Unable to update authorization rule.' => 'Nie można zaktualizować zasady autoryzacji.',
'Unable to update block status.' => 'Nie można zaktualizować statusu blokady.', 'Unable to update block status.' => 'Nie można zaktualizować statusu blokady.',
@ -253,12 +244,15 @@ return [
'Update rule' => 'Aktualizuj zasadę', 'Update rule' => 'Aktualizuj zasadę',
'Update user account' => 'Aktualizuj konto użytkownika', 'Update user account' => 'Aktualizuj konto użytkownika',
'Updated at' => 'Zaktualizowane dnia', 'Updated at' => 'Zaktualizowane dnia',
'User account could not be created.' => 'Konto użytkownika nie mogło zostać utworzone.',
'User block status has been updated.' => 'Status blokady użytkownika został zaktualizowany.', 'User block status has been updated.' => 'Status blokady użytkownika został zaktualizowany.',
'User could not be registered.' => 'Użytkownik nie mógł zostać zarejestrowany.',
'User has been confirmed' => 'Użytkownika został zaktywowany', 'User has been confirmed' => 'Użytkownika został zaktywowany',
'User has been created' => 'Użytkownik został dodany', 'User has been created' => 'Użytkownik został dodany',
'User has been deleted' => 'Użytkownik został usunięty', 'User has been deleted' => 'Użytkownik został usunięty',
'User is not found' => 'Nie znaleziono użytkownika', 'User is not found' => 'Nie znaleziono użytkownika',
'User not found.' => 'Nie znaleziono użytkownika.', 'User not found.' => 'Nie znaleziono użytkownika.',
'User will be required to change password at next login' => 'Użytkownik będzie musiał zmienić hasło przy następnym logowaniu',
'Username' => 'Nazwa użytkownika', 'Username' => 'Nazwa użytkownika',
'Users' => 'Użytkownicy', 'Users' => 'Użytkownicy',
'VKontakte' => 'VKontakte', 'VKontakte' => 'VKontakte',
@ -271,6 +265,7 @@ return [
'Website' => 'Strona www', 'Website' => 'Strona www',
'Welcome to {0}' => 'Witamy w {0}', 'Welcome to {0}' => 'Witamy w {0}',
'Yandex' => 'Yandex', 'Yandex' => 'Yandex',
'You are about to delete all your personal data from this site.' => 'Usuwasz wszystkie swoje dane osobowe z tego serwisu.',
'You can assign multiple roles or permissions to user by using the form below' => 'Możesz przydzielić użytkownikowi wiele roli lub uprawnień jednocześnie, korzystając z formularza poniżej', 'You can assign multiple roles or permissions to user by using the form below' => 'Możesz przydzielić użytkownikowi wiele roli lub uprawnień jednocześnie, korzystając z formularza poniżej',
'You can connect multiple accounts to be able to log in using them' => 'Możesz podłączyć wiele kont, aby móc się za ich pomocą logować', 'You can connect multiple accounts to be able to log in using them' => 'Możesz podłączyć wiele kont, aby móc się za ich pomocą logować',
'You cannot remove your own account' => 'Nie możesz usunąć swojego włąsnego konta', 'You cannot remove your own account' => 'Nie możesz usunąć swojego włąsnego konta',
@ -284,7 +279,13 @@ return [
'Your account has been created and a message with further instructions has been sent to your email' => 'Twoje konto zostało dodane, a dalsze instrukcje zostały wysłane na Twój adres email', 'Your account has been created and a message with further instructions has been sent to your email' => 'Twoje konto zostało dodane, a dalsze instrukcje zostały wysłane na Twój adres email',
'Your account on {0} has been created' => 'Twoje konto w serwisie {0} zostało dodane', 'Your account on {0} has been created' => 'Twoje konto w serwisie {0} zostało dodane',
'Your confirmation token is invalid or expired' => 'Twój token aktywacyjny jest nieprawidłowy lub zdezaktualizowany', 'Your confirmation token is invalid or expired' => 'Twój token aktywacyjny jest nieprawidłowy lub zdezaktualizowany',
'Your consent is required to register' => 'Twoja zgoda jest wymagana do rejestracji',
'Your email address has been changed' => 'Twój adres email został zaktualizowany', 'Your email address has been changed' => 'Twój adres email został zaktualizowany',
'Your password has expired, you must change it now' => 'Twoje hasło zostało zdezaktualizowane, musisz je teraz zmienić',
'Your personal information has been removed' => 'Twoje dane osobowe zostały usunięte',
'Your profile has been updated' => 'Twój profil został zaktualizowany', 'Your profile has been updated' => 'Twój profil został zaktualizowany',
'privacy policy' => 'polityką prywatności',
'{0, date, MMM dd, YYYY HH:mm}' => '@@@@',
'{0, date, MMMM dd, YYYY HH:mm}' => '{0, date, dd MMMM YYYY, HH:mm}', '{0, date, MMMM dd, YYYY HH:mm}' => '{0, date, dd MMMM YYYY, HH:mm}',
'{0} cannot be blank.' => '{0} nie może pozostać bez wartości',
]; ];

View File

@ -17,58 +17,23 @@
* NOTE: this file must be saved in UTF-8 encoding. * NOTE: this file must be saved in UTF-8 encoding.
*/ */
return [ return [
'Are you sure you wish the user to change their password at next login?' => 'Tem certeza de que deseja que o usuário altere sua senha no próximo login?', 'Two factor authentication protects you in case of stolen credentials' => '',
'Back to privacy settings' => 'Voltar para as configurações de privacidade', 'A message has been sent to your email address. ' => '@@Uma mensagem foi enviada para o seu endereço de e-mail.@@',
'Data processing consent' => 'Processamento de Dados consentido',
'Delete my account' => 'Excluir minha conta',
'Delete personal data' => 'Excluir informações pessoais',
'Deleted by GDPR request' => 'Excluído por solicitação GDPR',
'Disable two factor authentication' => 'Desabilitar a autenticação de dois fatores',
'Download my data' => 'Baixar minhas informações',
'Enable two factor authentication' => 'Habilitar a autenticação de dois fatores',
'Export my data' => 'Exportar minhas informações',
'Force password change at next login' => 'Forçar alteração de senha no próximo login',
'Here you can download your personal data in a comma separated values format.' => 'Aqui você pode baixar seus dados pessoais em um formato de valores separados por vírgulas.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Concordo com o processamento de meus dados pessoais e o uso de cookies para facilitar a operação deste site. Para mais informações, leia nossa {privacyPolicy}',
'Invalid password' => 'Senha inválida',
'Invalid two factor authentication code' => 'Código de autenticação de dois fatores inválido',
'Last login IP' => 'IP do último login',
'Last login time' => 'Hora do último login',
'Last password change' => 'Última alteração de senha',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'Depois de excluir seus dados, você não poderá mais fazer login com essa conta.',
'Password age' => 'Idade da senha',
'Privacy' => 'Privacidade',
'Privacy settings' => 'Configurações de Privacidade',
'There was an error in saving user' => 'Houve um erro ao gravar o usuário',
'This will disable two factor authentication. Are you sure?' => 'Isso desativará a autenticação de dois fatores. Você tem certeza?',
'This will remove your personal data from this site. You will no longer be able to sign in.' => 'Isso removerá seus dados pessoais deste site. Você não poderá mais fazer login.',
'Two Factor Authentication (2FA)' => 'Autenticação de dois fatores (2FA)',
'Two factor authentication code' => 'Código de autenticação de dois fatores',
'Two factor authentication has been disabled.' => 'A autenticação de dois fatores foi desativada.',
'Two factor authentication protects you against stolen credentials' => 'A autenticação de dois fatores protege você contra credenciais roubadas',
'Two factor authentication successfully enabled.' => 'Autenticação de dois fatores ativada com sucesso.',
'Unable to disable Two factor authentication.' => 'Não é possível desativar a autenticação de dois fatores.',
'User will be required to change password at next login' => 'O usuário será solicitado a alterar a senha no próximo login',
'You are about to delete all your personal data from this site.' => 'Você está prestes a excluir todos os seus dados pessoais deste site.',
'Your consent is required to register' => 'Seu consentimento é necessário para se registrar',
'Your password has expired, you must change it now' => 'Sua senha expirou, você deve alterá-la agora',
'Your personal information has been removed' => 'Suas informações pessoais foram removidas',
'privacy policy' => 'política de Privacidade',
'A message has been sent to your email address. ' => 'Uma mensagem foi enviada para o seu endereço de e-mail.',
'Awesome, almost there. ' => '@@Incrível, quase lá.@@', 'Awesome, almost there. ' => '@@Incrível, quase lá.@@',
'Class "{0}" does not exist' => '@@A classe "{0}" não existe@@', 'Class "{0}" does not exist' => '@@A classe "{0}" não existe@@',
'Disable Two-Factor Auth' => '@@Desabilitar autenticação em dois fatores@@', 'Disable Two-Factor Auth' => '@@Desabilitar autenticação em dois fatores@@',
'Enable Two-factor auth' => '@@Habilitar autenticação em dois fatores@@', 'Enable Two-factor auth' => '@@Habilitar autenticação em dois fatores@@',
'I aggree processing of my personal data and the use of cookies 'I aggree processing of my personal data and the use of cookies
to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Concordo com o processamento de meus dados pessoais e o uso de cookies para facilitar a operação deste site. Para mais informações, leia nosso {privacyPolicy}', to facilitate the operation of this site. For more information read our {privacyPolicy}' => '@@Concordo com o processamento de meus dados pessoais e o uso de cookies para facilitar a operação deste site. Para mais informações, leia nosso {privacyPolicy}@@',
'I aggree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Concordo com o processamento de meus dados pessoais e o uso de cookies para facilitar a operação deste site. Para mais informações, leia nosso {privacyPolicy}', 'I aggree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => '@@Concordo com o processamento de meus dados pessoais e o uso de cookies para facilitar a operação deste site. Para mais informações, leia nosso {privacyPolicy}@@',
'Invalid two-factor code' => '@@Código de dois fatores inválido@@', 'Invalid two-factor code' => '@@Código de dois fatores inválido@@',
'Last login' => '@@Último login@@', 'Last login' => '@@Último login@@',
'Registration ip' => 'IP de registro', 'Registration ip' => '@@IP de registro@@',
'Rule class can not be instantiated' => '@@A classe de regras não pode ser instanciada@@', 'Rule class can not be instantiated' => '@@A classe de regras não pode ser instanciada@@',
'Rule class must extend "yii\\rbac\\Rule"' => '@@A classe de regras deve estender de "yii\\rbac\\Rule"@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@A classe de regras deve estender de "yii\\rbac\\Rule"@@',
'This will disable two-factor auth. Are you sure?' => '@@Isso desativará a autenticação de dois fatores. Você tem certeza?@@', 'This will disable two-factor auth. Are you sure?' => '@@Isso desativará a autenticação de dois fatores. Você tem certeza?@@',
'Two Factor Authentication' => '@@Autenticação de dois fatores@@', 'Two Factor Authentication' => '@@Autenticação de dois fatores@@',
'Two factor authentication protects you against stolen credentials' => '@@A autenticação de dois fatores protege você contra credenciais roubadas@@',
'Two factor successfully enabled.' => '@@Dois fatores habilitados com sucesso.@@', 'Two factor successfully enabled.' => '@@Dois fatores habilitados com sucesso.@@',
'Two-Factor Authentication' => '@@Autenticação de dois fatores@@', 'Two-Factor Authentication' => '@@Autenticação de dois fatores@@',
'Two-factor auth protects you against stolen credentials' => '@@Autenticação de dois fatores protege você contra credenciais roubadas@@', 'Two-factor auth protects you against stolen credentials' => '@@Autenticação de dois fatores protege você contra credenciais roubadas@@',
@ -78,7 +43,6 @@ return [
'Unable to disable two-factor authorization.' => '@@Não é possível desabilitar a autorização de dois fatores.@@', 'Unable to disable two-factor authorization.' => '@@Não é possível desabilitar a autorização de dois fatores.@@',
'We couldn\'t re-send the mail to confirm your address. ' => '@@Não poderíamos re-enviar o correio para confirmar o seu endereço.@@', 'We couldn\'t re-send the mail to confirm your address. ' => '@@Não poderíamos re-enviar o correio para confirmar o seu endereço.@@',
'We have sent confirmation links to both old and new email addresses. ' => '@@Enviamos links de confirmação para endereços de e-mail antigo e novo.@@', 'We have sent confirmation links to both old and new email addresses. ' => '@@Enviamos links de confirmação para endereços de e-mail antigo e novo.@@',
'{0, date, MMM dd, YYYY HH:mm}' => '@@@@',
'(not set)' => '(não informado)', '(not set)' => '(não informado)',
'A confirmation message has been sent to your new email address' => 'Uma mensagem de confirmação foi enviada para seu novo endereço de e-mail', 'A confirmation message has been sent to your new email address' => 'Uma mensagem de confirmação foi enviada para seu novo endereço de e-mail',
'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Uma mensagem foi enviada para o seu endereço de e-mail. Ele contém um link de confirmação que você deve clicar para completar o registro.', 'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Uma mensagem foi enviada para o seu endereço de e-mail. Ele contém um link de confirmação que você deve clicar para completar o registro.',
@ -97,6 +61,7 @@ return [
'Are you sure you want to delete this user?' => 'Tem certeza de que deseja excluir esse usuário?', 'Are you sure you want to delete this user?' => 'Tem certeza de que deseja excluir esse usuário?',
'Are you sure you want to switch to this user for the rest of this Session?' => 'Tem certeza de que deseja mudar para este usuário para o resto desta Sessão?', 'Are you sure you want to switch to this user for the rest of this Session?' => 'Tem certeza de que deseja mudar para este usuário para o resto desta Sessão?',
'Are you sure you want to unblock this user?' => 'Tem certeza de que deseja desbloquear esse usuário?', 'Are you sure you want to unblock this user?' => 'Tem certeza de que deseja desbloquear esse usuário?',
'Are you sure you wish the user to change their password at next login?' => 'Tem certeza de que deseja que o usuário altere sua senha no próximo login?',
'Are you sure you wish to send a password recovery email to this user?' => 'Tem certeza de que deseja enviar um email de recuperação de senha para este usuário?', 'Are you sure you wish to send a password recovery email to this user?' => 'Tem certeza de que deseja enviar um email de recuperação de senha para este usuário?',
'Are you sure? Deleted user can not be restored' => 'Você tem certeza? O usuário excluído não pode ser restaurado', 'Are you sure? Deleted user can not be restored' => 'Você tem certeza? O usuário excluído não pode ser restaurado',
'Are you sure? There is no going back' => 'Você tem certeza? Não há retorno', 'Are you sure? There is no going back' => 'Você tem certeza? Não há retorno',
@ -112,6 +77,7 @@ return [
'Authorization rule has been updated.' => 'A regra de autorização foi atualizada.', 'Authorization rule has been updated.' => 'A regra de autorização foi atualizada.',
'Awesome, almost there. Now you need to click the confirmation link sent to your new email address.' => 'Incrível, quase lá. Agora você precisa clicar no link de confirmação enviado ao seu novo endereço de e-mail.', 'Awesome, almost there. Now you need to click the confirmation link sent to your new email address.' => 'Incrível, quase lá. Agora você precisa clicar no link de confirmação enviado ao seu novo endereço de e-mail.',
'Awesome, almost there. Now you need to click the confirmation link sent to your old email address.' => 'Incrível, quase lá. Agora você precisa clicar no link de confirmação enviado ao seu novo endereço de e-mail.', 'Awesome, almost there. Now you need to click the confirmation link sent to your old email address.' => 'Incrível, quase lá. Agora você precisa clicar no link de confirmação enviado ao seu novo endereço de e-mail.',
'Back to privacy settings' => 'Voltar para as configurações de privacidade',
'Bio' => 'Bio', 'Bio' => 'Bio',
'Block' => 'Bloquear', 'Block' => 'Bloquear',
'Block status' => 'Bloquear situação', 'Block status' => 'Bloquear situação',
@ -142,24 +108,35 @@ return [
'Credentials will be sent to the user by email' => 'As credenciais serão enviadas ao usuário por e-mail', 'Credentials will be sent to the user by email' => 'As credenciais serão enviadas ao usuário por e-mail',
'Current password' => 'Senha atual', 'Current password' => 'Senha atual',
'Current password is not valid' => 'Senha atual inválida', 'Current password is not valid' => 'Senha atual inválida',
'Data processing consent' => 'Processamento de Dados consentido',
'Delete' => 'Excluir', 'Delete' => 'Excluir',
'Delete account' => 'Excluir conta', 'Delete account' => 'Excluir conta',
'Delete my account' => 'Excluir minha conta',
'Delete personal data' => 'Excluir informações pessoais',
'Deleted by GDPR request' => 'Excluído por solicitação GDPR',
'Description' => 'Descrição', 'Description' => 'Descrição',
'Didn\'t receive confirmation message?' => 'Não recebeu mensagem de confirmação?', 'Didn\'t receive confirmation message?' => 'Não recebeu mensagem de confirmação?',
'Disable two factor authentication' => 'Desabilitar a autenticação de dois fatores',
'Disconnect' => 'Desconectar', 'Disconnect' => 'Desconectar',
'Don\'t have an account? Sign up!' => 'Não tem uma conta? Inscrever-se!', 'Don\'t have an account? Sign up!' => 'Não tem uma conta? Inscrever-se!',
'Download my data' => 'Baixar minhas informações',
'Email' => 'Email', 'Email' => 'Email',
'Email (public)' => 'Email (publico)', 'Email (public)' => 'Email (publico)',
'Enable' => 'Habilitado', 'Enable' => 'Habilitado',
'Enable two factor authentication' => 'Habilitar a autenticação de dois fatores',
'Error occurred while changing password' => 'Ocorreu um erro ao mudar a senha', 'Error occurred while changing password' => 'Ocorreu um erro ao mudar a senha',
'Error occurred while confirming user' => 'Ocorreu um erro ao confirmar o usuário', 'Error occurred while confirming user' => 'Ocorreu um erro ao confirmar o usuário',
'Error occurred while deleting user' => 'Ocorreu um erro ao excluir o usuário', 'Error occurred while deleting user' => 'Ocorreu um erro ao excluir o usuário',
'Error sending registration message to "{email}". Please try again later.' => 'Erro ao enviar a mensagem de registro para "{email}". Por favor, tente novamente mais tarde.', 'Error sending registration message to "{email}". Please try again later.' => 'Erro ao enviar a mensagem de registro para "{email}". Por favor, tente novamente mais tarde.',
'Error sending welcome message to "{email}". Please try again later.' => 'Erro ao enviar a mensagem de boas-vindas para "{email}". Por favor, tente novamente mais tarde.', 'Error sending welcome message to "{email}". Please try again later.' => 'Erro ao enviar a mensagem de boas-vindas para "{email}". Por favor, tente novamente mais tarde.',
'Export my data' => 'Exportar minhas informações',
'Finish' => 'Terminar', 'Finish' => 'Terminar',
'Force password change at next login' => 'Forçar alteração de senha no próximo login',
'Forgot password?' => 'Esqueceu a senha?', 'Forgot password?' => 'Esqueceu a senha?',
'Gravatar email' => 'E-mail do Gravatar', 'Gravatar email' => 'E-mail do Gravatar',
'Hello' => 'Olá', 'Hello' => 'Olá',
'Here you can download your personal data in a comma separated values format.' => 'Aqui você pode baixar seus dados pessoais em um formato de valores separados por vírgulas.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Concordo com o processamento de meus dados pessoais e o uso de cookies para facilitar a operação deste site. Para mais informações, leia nossa {privacyPolicy}',
'If you already registered, sign in and connect this account on settings page' => 'Se você já se registrou, faça login e conecte esta conta na página de configurações', 'If you already registered, sign in and connect this account on settings page' => 'Se você já se registrou, faça login e conecte esta conta na página de configurações',
'If you cannot click the link, please try pasting the text into your browser' => 'Se você não pode clicar no link, tente colar o texto em seu navegador', 'If you cannot click the link, please try pasting the text into your browser' => 'Se você não pode clicar no link, tente colar o texto em seu navegador',
'If you did not make this request you can ignore this email' => 'Se você não fez essa solicitação, ignore este e-mail', 'If you did not make this request you can ignore this email' => 'Se você não fez essa solicitação, ignore este e-mail',
@ -170,10 +147,15 @@ return [
'Information' => 'Informação', 'Information' => 'Informação',
'Invalid login or password' => 'Login ou senha inválidos', 'Invalid login or password' => 'Login ou senha inválidos',
'Invalid or expired link' => 'Link inválido ou expirado', 'Invalid or expired link' => 'Link inválido ou expirado',
'Invalid password' => 'Senha inválida',
'Invalid two factor authentication code' => 'Código de autenticação de dois fatores inválido',
'Invalid value' => 'Valor inválido', 'Invalid value' => 'Valor inválido',
'It will be deleted forever' => 'Ele será excluído para sempre', 'It will be deleted forever' => 'Ele será excluído para sempre',
'Items' => 'Itens', 'Items' => 'Itens',
'Joined on {0, date}' => 'Juntou-se em {0, date}', 'Joined on {0, date}' => 'Juntou-se em {0, date}',
'Last login IP' => 'IP do último login',
'Last login time' => 'Hora do último login',
'Last password change' => 'Última alteração de senha',
'Location' => 'Localização', 'Location' => 'Localização',
'Login' => 'Entrar', 'Login' => 'Entrar',
'Logout' => 'Sair', 'Logout' => 'Sair',
@ -190,12 +172,16 @@ return [
'Not blocked' => 'Não bloqueado', 'Not blocked' => 'Não bloqueado',
'Not found' => 'Não encontrado', 'Not found' => 'Não encontrado',
'Once you delete your account, there is no going back' => 'Depois de excluir sua conta, não há retorno', 'Once you delete your account, there is no going back' => 'Depois de excluir sua conta, não há retorno',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'Depois de excluir seus dados, você não poderá mais fazer login com essa conta.',
'Password' => 'Senha', 'Password' => 'Senha',
'Password age' => 'Idade da senha',
'Password has been changed' => 'Senha alterada', 'Password has been changed' => 'Senha alterada',
'Permissions' => 'Permissões', 'Permissions' => 'Permissões',
'Please be certain' => 'Tenha certeza', 'Please be certain' => 'Tenha certeza',
'Please click the link below to complete your password reset' => 'Clique no link abaixo para completar a reposição da senha', 'Please click the link below to complete your password reset' => 'Clique no link abaixo para completar a reposição da senha',
'Please fix following errors:' => 'Corrija os seguintes erros:', 'Please fix following errors:' => 'Corrija os seguintes erros:',
'Privacy' => 'Privacidade',
'Privacy settings' => 'Configurações de Privacidade',
'Profile' => 'Perfil', 'Profile' => 'Perfil',
'Profile details' => 'Detalhes de perfil', 'Profile details' => 'Detalhes de perfil',
'Profile details have been updated' => 'Os detalhes do perfil foram atualizados', 'Profile details have been updated' => 'Os detalhes do perfil foram atualizados',
@ -233,16 +219,24 @@ return [
'The confirmation link is invalid or expired. Please try requesting a new one.' => 'O link de confirmação é inválido ou expirou. Por favor, tente solicitar um novo.', 'The confirmation link is invalid or expired. Please try requesting a new one.' => 'O link de confirmação é inválido ou expirou. Por favor, tente solicitar um novo.',
'The verification code is incorrect.' => 'O código de verificação está incorreto.', 'The verification code is incorrect.' => 'O código de verificação está incorreto.',
'There is neither role nor permission with name "{0}"' => 'Não há papel nem permissão com o nome "{0}"', 'There is neither role nor permission with name "{0}"' => 'Não há papel nem permissão com o nome "{0}"',
'There was an error in saving user' => 'Houve um erro ao gravar o usuário',
'This account has already been connected to another user' => 'Esta conta já foi conectada a outro usuário', 'This account has already been connected to another user' => 'Esta conta já foi conectada a outro usuário',
'This email address has already been taken' => 'Este endereço de e-mail já foi feito', 'This email address has already been taken' => 'Este endereço de e-mail já foi feito',
'This username has already been taken' => 'Este nome de usuário já foi feito', 'This username has already been taken' => 'Este nome de usuário já foi feito',
'This will disable two factor authentication. Are you sure?' => 'Isso desativará a autenticação de dois fatores. Você tem certeza?',
'This will remove your personal data from this site. You will no longer be able to sign in.' => 'Isso removerá seus dados pessoais deste site. Você não poderá mais fazer login.',
'Time zone' => 'Fuso horário', 'Time zone' => 'Fuso horário',
'Time zone is not valid' => 'O fuso horário não é válido', 'Time zone is not valid' => 'O fuso horário não é válido',
'Two Factor Authentication (2FA)' => 'Autenticação de dois fatores (2FA)',
'Two factor authentication code' => 'Código de autenticação de dois fatores',
'Two factor authentication has been disabled.' => 'A autenticação de dois fatores foi desativada.',
'Two factor authentication successfully enabled.' => 'Autenticação de dois fatores ativada com sucesso.',
'Unable to confirm user. Please, try again.' => 'Não é possível confirmar o usuário. Por favor, tente novamente.', 'Unable to confirm user. Please, try again.' => 'Não é possível confirmar o usuário. Por favor, tente novamente.',
'Unable to create an account.' => 'Não é possível criar uma conta.', 'Unable to create an account.' => 'Não é possível criar uma conta.',
'Unable to create authorization item.' => 'Não foi possível criar o item de autorização.', 'Unable to create authorization item.' => 'Não foi possível criar o item de autorização.',
'Unable to create new authorization rule.' => 'Não é possível criar uma nova regra de autorização.', 'Unable to create new authorization rule.' => 'Não é possível criar uma nova regra de autorização.',
'Unable to delete user. Please, try again later.' => 'Não é possível excluir o usuário. Por favor, tente novamente mais tarde.', 'Unable to delete user. Please, try again later.' => 'Não é possível excluir o usuário. Por favor, tente novamente mais tarde.',
'Unable to disable Two factor authentication.' => 'Não é possível desativar a autenticação de dois fatores.',
'Unable to remove authorization item.' => 'Não é possível remover o item de autorização.', 'Unable to remove authorization item.' => 'Não é possível remover o item de autorização.',
'Unable to send confirmation link' => 'Não é possível enviar o link de confirmação', 'Unable to send confirmation link' => 'Não é possível enviar o link de confirmação',
'Unable to send recovery message to the user' => 'Não é possível enviar uma mensagem de recuperação para o usuário', 'Unable to send recovery message to the user' => 'Não é possível enviar uma mensagem de recuperação para o usuário',
@ -266,6 +260,7 @@ return [
'User has been deleted' => 'O usuário foi excluído', 'User has been deleted' => 'O usuário foi excluído',
'User is not found' => 'O usuário não foi encontrado', 'User is not found' => 'O usuário não foi encontrado',
'User not found.' => 'O usuário não encontrado', 'User not found.' => 'O usuário não encontrado',
'User will be required to change password at next login' => 'O usuário será solicitado a alterar a senha no próximo login',
'Username' => 'Nome de usuário', 'Username' => 'Nome de usuário',
'Users' => 'Usuários', 'Users' => 'Usuários',
'VKontakte' => 'VKontakte', 'VKontakte' => 'VKontakte',
@ -278,6 +273,7 @@ return [
'Website' => 'Website', 'Website' => 'Website',
'Welcome to {0}' => 'Bem-vindo ao {0}', 'Welcome to {0}' => 'Bem-vindo ao {0}',
'Yandex' => 'Yandex', 'Yandex' => 'Yandex',
'You are about to delete all your personal data from this site.' => 'Você está prestes a excluir todos os seus dados pessoais deste site.',
'You can assign multiple roles or permissions to user by using the form below' => 'Você pode atribuir várias funções ou permissões ao usuário usando o formulário abaixo', 'You can assign multiple roles or permissions to user by using the form below' => 'Você pode atribuir várias funções ou permissões ao usuário usando o formulário abaixo',
'You can connect multiple accounts to be able to log in using them' => 'Você pode conectar várias contas para poder fazer login usando elas', 'You can connect multiple accounts to be able to log in using them' => 'Você pode conectar várias contas para poder fazer login usando elas',
'You cannot remove your own account' => 'Você não pode remover sua própria conta', 'You cannot remove your own account' => 'Você não pode remover sua própria conta',
@ -291,8 +287,13 @@ return [
'Your account has been created and a message with further instructions has been sent to your email' => 'Sua conta foi criada e uma mensagem com instruções adicionais foi enviada para o seu email', 'Your account has been created and a message with further instructions has been sent to your email' => 'Sua conta foi criada e uma mensagem com instruções adicionais foi enviada para o seu email',
'Your account on {0} has been created' => 'Sua conta em {0} foi criada', 'Your account on {0} has been created' => 'Sua conta em {0} foi criada',
'Your confirmation token is invalid or expired' => 'Seu token de confirmação é inválido ou expirou', 'Your confirmation token is invalid or expired' => 'Seu token de confirmação é inválido ou expirou',
'Your consent is required to register' => 'Seu consentimento é necessário para se registrar',
'Your email address has been changed' => 'Seu endereço de e-mail foi alterado', 'Your email address has been changed' => 'Seu endereço de e-mail foi alterado',
'Your password has expired, you must change it now' => 'Sua senha expirou, você deve alterá-la agora',
'Your personal information has been removed' => 'Suas informações pessoais foram removidas',
'Your profile has been updated' => 'Seu perfil foi atualizado', 'Your profile has been updated' => 'Seu perfil foi atualizado',
'privacy policy' => 'política de Privacidade',
'{0, date, MMM dd, YYYY HH:mm}' => '@@@@',
'{0, date, MMMM dd, YYYY HH:mm}' => '{0, date, MMMM dd, YYYY HH:mm}', '{0, date, MMMM dd, YYYY HH:mm}' => '{0, date, MMMM dd, YYYY HH:mm}',
'{0} cannot be blank.' => '{0} não pode estar em branco', '{0} cannot be blank.' => '{0} não pode estar em branco',
]; ];

View File

@ -17,6 +17,7 @@
* NOTE: this file must be saved in UTF-8 encoding. * NOTE: this file must be saved in UTF-8 encoding.
*/ */
return [ return [
'Two factor authentication protects you in case of stolen credentials' => '',
'(not set)' => '(não selecionado)', '(not set)' => '(não selecionado)',
'A confirmation message has been sent to your new email address' => 'Foi enviada uma mensagem de confirmação para o seu endereço de email', 'A confirmation message has been sent to your new email address' => 'Foi enviada uma mensagem de confirmação para o seu endereço de email',
'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Foi enviada uma mensagem para o seu endereço de email com o link de confirmação para completar o seu registo.', 'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'Foi enviada uma mensagem para o seu endereço de email com o link de confirmação para completar o seu registo.',
@ -204,7 +205,6 @@ return [
'Two Factor Authentication (2FA)' => 'Autenticação de Dois Passos (2FA)', 'Two Factor Authentication (2FA)' => 'Autenticação de Dois Passos (2FA)',
'Two factor authentication code' => 'Código da autenticação de dois passos', 'Two factor authentication code' => 'Código da autenticação de dois passos',
'Two factor authentication has been disabled.' => 'Autenticação de dois passos foi desativada', 'Two factor authentication has been disabled.' => 'Autenticação de dois passos foi desativada',
'Two factor authentication protects you against stolen credentials' => 'Autenticação de dois passos protege-o do roubo de credenciais de acesso',
'Two factor authentication successfully enabled.' => 'Autenticação de dois passos ativada com sucesso', 'Two factor authentication successfully enabled.' => 'Autenticação de dois passos ativada com sucesso',
'Unable to confirm user. Please, try again.' => 'Não foi possível confirmar utilizador. Por favor tente novamente.', 'Unable to confirm user. Please, try again.' => 'Não foi possível confirmar utilizador. Por favor tente novamente.',
'Unable to create an account.' => 'Não foi possível criar uma conta.', 'Unable to create an account.' => 'Não foi possível criar uma conta.',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@Autenticação de dois passos protege-o do roubo de credenciais de acesso@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -17,92 +17,31 @@
* NOTE: this file must be saved in UTF-8 encoding. * NOTE: this file must be saved in UTF-8 encoding.
*/ */
return [ return [
'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'A fost trimis un mesaj la adresa dvs. de e-mail. Acesta conține un link de confirmare pe care trebuie să faceți clic pentru a finaliza înregistrarea.', 'Two factor authentication protects you in case of stolen credentials' => '',
'Are you sure you wish the user to change their password at next login?' => 'Sigur doriți ca utilizatorul să își schimbe parola la următoarea conectare?', 'A message has been sent to your email address. ' => '@@A fost trimis un mesaj la adresa dvs. de e-mail.@@',
'Are you sure you wish to send a password recovery email to this user?' => 'Sigur doriți să trimiteți un e-mail de recuperare a parolei acestui utilizator?', 'Awesome, almost there. ' => '@@Minunat, aproape gata.@@',
'Awesome, almost there. Now you need to click the confirmation link sent to your new email address.' => 'Minunat, aproape gata. Acum trebuie să faceți clic pe link-ul de confirmare trimis la noua adresă de e-mail.', 'Disable Two-Factor Auth' => '@@Dezactivați autentificarea cu două factori@@',
'Awesome, almost there. Now you need to click the confirmation link sent to your old email address.' => 'Minunat, aproape gata. Acum, trebuie să faceți clic pe link-ul de confirmare trimis la vechea adresă de e-mail.', 'Enable Two-factor auth' => '@@Activați Auth@@',
'Back to privacy settings' => 'Înapoi la setările de confidențialitate',
'Cancel' => 'Anulare',
'Cannot assign role "{0}" as the AuthManager is not configured on your console application.' => 'Nu se poate atribui rolul "{0}" deoarece AuthManager nu este configurat în aplicația dvs. de consolă.',
'Close' => 'Închide',
'Data processing consent' => 'Acord de prelucrare de date',
'Delete my account' => 'Sterge contul meu',
'Delete personal data' => 'Ștergeți datele personale',
'Deleted by GDPR request' => 'Eliminat de solicitarea GDPR',
'Disable two factor authentication' => 'Dezactivați autentificarea cu doi factori',
'Download my data' => 'Descărcați datele mele',
'Enable' => 'Permite',
'Enable two factor authentication' => 'Activați autentificarea cu doi factori',
'Error sending registration message to "{email}". Please try again later.' => 'Eroare la trimiterea mesajului de înregistrare la "{email}". Vă rugăm să încercați din nou mai târziu.',
'Error sending welcome message to "{email}". Please try again later.' => 'Eroare la trimiterea mesajului de întâmpinare la "{email}". Vă rugăm să încercați din nou mai târziu.',
'Export my data' => 'Exportați datele mele',
'Force password change at next login' => 'Forțați modificarea parolei la următoarea conectare',
'Here you can download your personal data in a comma separated values format.' => 'Aici puteți descărca datele personale într-un format de valori separate prin virgulă.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Sunt de acord cu prelucrarea datelor mele personale și utilizarea cookie-urilor pentru a facilita funcționarea acestui site. Pentru mai multe informații, citiți {privacyPolicy}',
'Invalid password' => 'Parolă Invalidă',
'Invalid two factor authentication code' => 'Codul de autentificare cu doi factori este nevalid',
'Last login IP' => 'Ultima autentificare IP',
'Last login time' => 'Ultima dată de conectare',
'Last password change' => 'Ultima modificare a parolei',
'Never' => 'Nu',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'După ce ați șters datele, nu veți mai putea să vă conectați cu acest cont.',
'Password age' => 'Varsta parolei',
'Privacy' => 'intimitate',
'Privacy settings' => 'Setările de confidențialitate',
'Required "key" cannot be empty.' => 'Tasta "cheie" necesară nu poate fi goală.',
'Required "secret" cannot be empty.' => 'Necesarul "secret" nu poate fi gol.',
'Role "{0}" not found. Creating it.' => 'Rolul "{0}" nu a fost găsit. Crearea lui.',
'Scan the QrCode with Google Authenticator App, then insert its temporary code on the box and submit.' => 'Scanați codul QrCode cu aplicația Google Authenticator, apoi introduceți codul temporar în cutie și trimiteți-l.',
'Send password recovery email' => 'Trimiteți e-mail pentru recuperarea parolei',
'The "recaptcha" component must be configured.' => 'Componenta "recaptcha" trebuie să fie configurată.',
'The verification code is incorrect.' => 'Codul de verificare este incorect.',
'There was an error in saving user' => 'A apărut o eroare la salvarea utilizatorului',
'This will disable two factor authentication. Are you sure?' => 'Aceasta va dezactiva autentificarea cu doi factori. Esti sigur?',
'This will remove your personal data from this site. You will no longer be able to sign in.' => 'Aceasta va elimina datele personale de pe acest site. Nu veți mai putea să vă conectați.',
'Two Factor Authentication (2FA)' => 'Două autentificare cu factori (2FA)',
'Two factor authentication code' => 'Cod de autentificare cu doi factori',
'Two factor authentication has been disabled.' => 'A fost dezactivată autentificarea cu doi factori.',
'Two factor authentication protects you against stolen credentials' => 'Autentificarea cu două factori vă protejează împotriva acreditărilor furate',
'Two factor authentication successfully enabled.' => 'Două autentificare cu factori a fost activată cu succes.',
'Unable to disable Two factor authentication.' => 'Imposibil de dezactivat autentificarea cu doi factori.',
'Unable to send recovery message to the user' => 'Nu s-a putut trimite mesajul de recuperare utilizatorului',
'User account could not be created.' => 'Contul de utilizator nu a putut fi creat.',
'User could not be registered.' => 'Utilizatorul nu a putut fi înregistrat.',
'User not found.' => 'Utilizator nu a fost găsit.',
'User will be required to change password at next login' => 'Utilizatorul va trebui să schimbe parola la următoarea conectare',
'Verification failed. Please, enter new code.' => 'Verificare esuata. Introduceți cod nou.',
'We couldn\'t re-send the mail to confirm your address. Please, verify is the correct email or if it has been confirmed already.' => 'Nu am putut retrimite mesajul pentru a vă confirma adresa. Verificați e-mailul corect sau dacă acesta a fost deja confirmat.',
'We have sent confirmation links to both old and new email addresses. You must click both links to complete your request.' => 'Am trimis legături de confirmare adreselor de e-mail vechi și noi. Trebuie să faceți clic pe ambele linkuri pentru a finaliza solicitarea dvs.',
'You are about to delete all your personal data from this site.' => 'Sunteți pe cale să ștergeți toate datele dvs. personale de pe acest site.',
'Your consent is required to register' => 'Consimțământul dvs. este necesar să vă înregistrați',
'Your password has expired, you must change it now' => 'Parola dvs. a expirat, trebuie să o modificați acum',
'Your personal information has been removed' => 'Informațiile dvs. personale au fost eliminate',
'privacy policy' => 'politica de confidentialitate',
'{0} cannot be blank.' => '{0} nu poate fi gol.',
'A message has been sent to your email address. ' => 'A fost trimis un mesaj la adresa dvs. de e-mail.',
'Awesome, almost there. ' => 'Minunat, aproape gata.',
'Disable Two-Factor Auth' => 'Dezactivați autentificarea cu două factori',
'Enable Two-factor auth' => 'Activați Auth',
'I aggree processing of my personal data and the use of cookies 'I aggree processing of my personal data and the use of cookies
to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Am agregat prelucrarea datelor mele personale și utilizarea cookie-urilor pentru a facilita funcționarea acestui site. Pentru mai multe informații, citiți {privacyPolicy}', to facilitate the operation of this site. For more information read our {privacyPolicy}' => '@@Am agregat prelucrarea datelor mele personale și utilizarea cookie-urilor pentru a facilita funcționarea acestui site. Pentru mai multe informații, citiți {privacyPolicy}@@',
'I aggree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Am agregat prelucrarea datelor mele personale și utilizarea cookie-urilor pentru a facilita funcționarea acestui site. Pentru mai multe informații, citiți {privacyPolicy}', 'I aggree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => '@@Am agregat prelucrarea datelor mele personale și utilizarea cookie-urilor pentru a facilita funcționarea acestui site. Pentru mai multe informații, citiți {privacyPolicy}@@',
'Invalid two-factor code' => 'Cod de două factori nevalid', 'Invalid two-factor code' => '@@Cod de două factori nevalid@@',
'Last login' => 'Ultima logare', 'Last login' => '@@Ultima logare@@',
'This will disable two-factor auth. Are you sure?' => 'Aceasta va dezactiva auth-ul cu două factori. Esti sigur?', 'This will disable two-factor auth. Are you sure?' => '@@Aceasta va dezactiva auth-ul cu două factori. Esti sigur?@@',
'Two Factor Authentication' => 'Două autentificare cu factori', 'Two Factor Authentication' => '@@Două autentificare cu factori@@',
'Two factor successfully enabled.' => 'Doi factori activat cu succes.', 'Two factor authentication protects you against stolen credentials' => '@@Autentificarea cu două factori vă protejează împotriva acreditărilor furate@@',
'Two-Factor Authentication' => 'Două factori de autentificare', 'Two factor successfully enabled.' => '@@Doi factori activat cu succes.@@',
'Two-factor auth protects you against stolen credentials' => 'Autostradă cu două factori vă protejează împotriva acreditărilor furate', 'Two-Factor Authentication' => '@@Două factori de autentificare@@',
'Two-factor authentication code' => 'Cod de autentificare cu două factori', 'Two-factor auth protects you against stolen credentials' => '@@Autostradă cu două factori vă protejează împotriva acreditărilor furate@@',
'Two-factor authorization has been disabled.' => 'A fost dezactivată autorizația cu două factori.', 'Two-factor authentication code' => '@@Cod de autentificare cu două factori@@',
'Two-factor code' => 'Cod de două factori', 'Two-factor authorization has been disabled.' => '@@A fost dezactivată autorizația cu două factori.@@',
'Unable to disable two-factor authorization.' => 'Imposibil de dezactivat autorizația cu două factori.', 'Two-factor code' => '@@Cod de două factori@@',
'We couldn\'t re-send the mail to confirm your address. ' => 'Nu am putut retrimite mesajul pentru a vă confirma adresa.', 'Unable to disable two-factor authorization.' => '@@Imposibil de dezactivat autorizația cu două factori.@@',
'We have sent confirmation links to both old and new email addresses. ' => 'Am trimis legături de confirmare adreselor de e-mail vechi și noi.', 'We couldn\'t re-send the mail to confirm your address. ' => '@@Nu am putut retrimite mesajul pentru a vă confirma adresa.@@',
'{0, date, MMM dd, YYYY HH:mm}' => '{0, data, MMM dd, YYYY HH: mm}', 'We have sent confirmation links to both old and new email addresses. ' => '@@Am trimis legături de confirmare adreselor de e-mail vechi și noi.@@',
'(not set)' => '(nu este setat)', '(not set)' => '(nu este setat)',
'A confirmation message has been sent to your new email address' => 'Un mesaj de confirmare a fost trimis la noua dvs. adresă de e-mail', 'A confirmation message has been sent to your new email address' => 'Un mesaj de confirmare a fost trimis la noua dvs. adresă de e-mail',
'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'A fost trimis un mesaj la adresa dvs. de e-mail. Acesta conține un link de confirmare pe care trebuie să faceți clic pentru a finaliza înregistrarea.',
'A new confirmation link has been sent' => 'A fost trimis un nou link de confirmare', 'A new confirmation link has been sent' => 'A fost trimis un nou link de confirmare',
'A password will be generated automatically if not provided' => 'O parolă va fi generată automat dacă nu este furnizată', 'A password will be generated automatically if not provided' => 'O parolă va fi generată automat dacă nu este furnizată',
'Account' => 'Cont', 'Account' => 'Cont',
@ -118,6 +57,8 @@ return [
'Are you sure you want to delete this user?' => 'Sigur doriți să ștergeți acest utilizator?', 'Are you sure you want to delete this user?' => 'Sigur doriți să ștergeți acest utilizator?',
'Are you sure you want to switch to this user for the rest of this Session?' => 'Sigur doriți să treceți la acest utilizator pentru restul acestei sesiuni?', 'Are you sure you want to switch to this user for the rest of this Session?' => 'Sigur doriți să treceți la acest utilizator pentru restul acestei sesiuni?',
'Are you sure you want to unblock this user?' => 'Sigur doriți să deblocați acest utilizator?', 'Are you sure you want to unblock this user?' => 'Sigur doriți să deblocați acest utilizator?',
'Are you sure you wish the user to change their password at next login?' => 'Sigur doriți ca utilizatorul să își schimbe parola la următoarea conectare?',
'Are you sure you wish to send a password recovery email to this user?' => 'Sigur doriți să trimiteți un e-mail de recuperare a parolei acestui utilizator?',
'Are you sure? Deleted user can not be restored' => 'Esti sigur? Utilizatorul șters nu poate fi restabilit', 'Are you sure? Deleted user can not be restored' => 'Esti sigur? Utilizatorul șters nu poate fi restabilit',
'Are you sure? There is no going back' => 'Esti sigur? Nu se mai întoarce', 'Are you sure? There is no going back' => 'Esti sigur? Nu se mai întoarce',
'Assignments' => 'Alocări', 'Assignments' => 'Alocări',
@ -130,13 +71,19 @@ return [
'Authorization rule has been added.' => 'A fost adăugată o regulă de autorizare.', 'Authorization rule has been added.' => 'A fost adăugată o regulă de autorizare.',
'Authorization rule has been removed.' => 'Regula de autorizare a fost eliminată.', 'Authorization rule has been removed.' => 'Regula de autorizare a fost eliminată.',
'Authorization rule has been updated.' => 'Norma de autorizare a fost actualizată.', 'Authorization rule has been updated.' => 'Norma de autorizare a fost actualizată.',
'Awesome, almost there. Now you need to click the confirmation link sent to your new email address.' => 'Minunat, aproape gata. Acum trebuie să faceți clic pe link-ul de confirmare trimis la noua adresă de e-mail.',
'Awesome, almost there. Now you need to click the confirmation link sent to your old email address.' => 'Minunat, aproape gata. Acum, trebuie să faceți clic pe link-ul de confirmare trimis la vechea adresă de e-mail.',
'Back to privacy settings' => 'Înapoi la setările de confidențialitate',
'Bio' => 'Bio', 'Bio' => 'Bio',
'Block' => 'bloc', 'Block' => 'bloc',
'Block status' => 'Blocați starea', 'Block status' => 'Blocați starea',
'Blocked at {0, date, MMMM dd, YYYY HH:mm}' => 'Blocat la {0, data, MMMM dd, AAAA HH: mm}', 'Blocked at {0, date, MMMM dd, YYYY HH:mm}' => 'Blocat la {0, data, MMMM dd, AAAA HH: mm}',
'Cancel' => 'Anulare',
'Cannot assign role "{0}" as the AuthManager is not configured on your console application.' => 'Nu se poate atribui rolul "{0}" deoarece AuthManager nu este configurat în aplicația dvs. de consolă.',
'Change your avatar at Gravatar.com' => 'Schimbați-vă avatarul la Gravatar.com', 'Change your avatar at Gravatar.com' => 'Schimbați-vă avatarul la Gravatar.com',
'Children' => 'copii', 'Children' => 'copii',
'Class' => 'Clasă', 'Class' => 'Clasă',
'Close' => 'Închide',
'Complete password reset on {0}' => 'Resetați parola completă pe {0}', 'Complete password reset on {0}' => 'Resetați parola completă pe {0}',
'Confirm' => 'A confirma', 'Confirm' => 'A confirma',
'Confirm account on {0}' => 'Confirmați contul la {0}', 'Confirm account on {0}' => 'Confirmați contul la {0}',
@ -157,21 +104,35 @@ return [
'Credentials will be sent to the user by email' => 'Certificatele vor fi trimise utilizatorului prin e-mail', 'Credentials will be sent to the user by email' => 'Certificatele vor fi trimise utilizatorului prin e-mail',
'Current password' => 'Parola actuală', 'Current password' => 'Parola actuală',
'Current password is not valid' => 'Parola curentă nu este validă', 'Current password is not valid' => 'Parola curentă nu este validă',
'Data processing consent' => 'Acord de prelucrare de date',
'Delete' => 'Șterge', 'Delete' => 'Șterge',
'Delete account' => 'Șterge cont', 'Delete account' => 'Șterge cont',
'Delete my account' => 'Sterge contul meu',
'Delete personal data' => 'Ștergeți datele personale',
'Deleted by GDPR request' => 'Eliminat de solicitarea GDPR',
'Description' => 'Descriere', 'Description' => 'Descriere',
'Didn\'t receive confirmation message?' => 'Nu ați primit mesajul de confirmare?', 'Didn\'t receive confirmation message?' => 'Nu ați primit mesajul de confirmare?',
'Disable two factor authentication' => 'Dezactivați autentificarea cu doi factori',
'Disconnect' => 'Deconecta', 'Disconnect' => 'Deconecta',
'Don\'t have an account? Sign up!' => 'Nu aveți un cont? Inscrie-te!', 'Don\'t have an account? Sign up!' => 'Nu aveți un cont? Inscrie-te!',
'Download my data' => 'Descărcați datele mele',
'Email' => 'E-mail', 'Email' => 'E-mail',
'Email (public)' => 'E-mail (public)', 'Email (public)' => 'E-mail (public)',
'Enable' => 'Permite',
'Enable two factor authentication' => 'Activați autentificarea cu doi factori',
'Error occurred while changing password' => 'A apărut o eroare la schimbarea parolei', 'Error occurred while changing password' => 'A apărut o eroare la schimbarea parolei',
'Error occurred while confirming user' => 'A apărut o eroare la confirmarea utilizatorului', 'Error occurred while confirming user' => 'A apărut o eroare la confirmarea utilizatorului',
'Error occurred while deleting user' => 'A apărut o eroare la ștergerea utilizatorului', 'Error occurred while deleting user' => 'A apărut o eroare la ștergerea utilizatorului',
'Error sending registration message to "{email}". Please try again later.' => 'Eroare la trimiterea mesajului de înregistrare la "{email}". Vă rugăm să încercați din nou mai târziu.',
'Error sending welcome message to "{email}". Please try again later.' => 'Eroare la trimiterea mesajului de întâmpinare la "{email}". Vă rugăm să încercați din nou mai târziu.',
'Export my data' => 'Exportați datele mele',
'Finish' => 'finalizarea', 'Finish' => 'finalizarea',
'Force password change at next login' => 'Forțați modificarea parolei la următoarea conectare',
'Forgot password?' => 'Aţi uitat parola?', 'Forgot password?' => 'Aţi uitat parola?',
'Gravatar email' => 'Gravatar email', 'Gravatar email' => 'Gravatar email',
'Hello' => 'buna', 'Hello' => 'buna',
'Here you can download your personal data in a comma separated values format.' => 'Aici puteți descărca datele personale într-un format de valori separate prin virgulă.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Sunt de acord cu prelucrarea datelor mele personale și utilizarea cookie-urilor pentru a facilita funcționarea acestui site. Pentru mai multe informații, citiți {privacyPolicy}',
'If you already registered, sign in and connect this account on settings page' => 'Dacă v-ați înregistrat deja, conectați-vă și conectați-l pe pagina de setări', 'If you already registered, sign in and connect this account on settings page' => 'Dacă v-ați înregistrat deja, conectați-vă și conectați-l pe pagina de setări',
'If you cannot click the link, please try pasting the text into your browser' => 'Dacă nu puteți da clic pe link, încercați să inserați textul în browser', 'If you cannot click the link, please try pasting the text into your browser' => 'Dacă nu puteți da clic pe link, încercați să inserați textul în browser',
'If you did not make this request you can ignore this email' => 'Dacă nu ați făcut această solicitare, puteți ignora acest e-mail', 'If you did not make this request you can ignore this email' => 'Dacă nu ați făcut această solicitare, puteți ignora acest e-mail',
@ -182,16 +143,22 @@ return [
'Information' => 'informație', 'Information' => 'informație',
'Invalid login or password' => 'date de identificare incorecte', 'Invalid login or password' => 'date de identificare incorecte',
'Invalid or expired link' => 'Link nevalid sau expirat', 'Invalid or expired link' => 'Link nevalid sau expirat',
'Invalid password' => 'Parolă Invalidă',
'Invalid two factor authentication code' => 'Codul de autentificare cu doi factori este nevalid',
'Invalid value' => 'valoare invalida', 'Invalid value' => 'valoare invalida',
'It will be deleted forever' => 'Se va șterge pentru totdeauna', 'It will be deleted forever' => 'Se va șterge pentru totdeauna',
'Items' => 'Articole', 'Items' => 'Articole',
'Joined on {0, date}' => 'Înregistrat la {0, date}', 'Joined on {0, date}' => 'Înregistrat la {0, date}',
'Last login IP' => 'Ultima autentificare IP',
'Last login time' => 'Ultima dată de conectare',
'Last password change' => 'Ultima modificare a parolei',
'Location' => 'Locație', 'Location' => 'Locație',
'Login' => 'Logare', 'Login' => 'Logare',
'Logout' => 'Deconectare', 'Logout' => 'Deconectare',
'Manage users' => 'Gestionare Utilizatori', 'Manage users' => 'Gestionare Utilizatori',
'Name' => 'Nume', 'Name' => 'Nume',
'Networks' => 'Rețele', 'Networks' => 'Rețele',
'Never' => 'Nu',
'New email' => 'Email nou', 'New email' => 'Email nou',
'New password' => 'Parolă Nouă', 'New password' => 'Parolă Nouă',
'New permission' => 'Permisiune nouă', 'New permission' => 'Permisiune nouă',
@ -201,12 +168,16 @@ return [
'Not blocked' => 'Nu este blocat', 'Not blocked' => 'Nu este blocat',
'Not found' => 'Nu a fost gasit', 'Not found' => 'Nu a fost gasit',
'Once you delete your account, there is no going back' => 'După ce ștergeți contul dvs., nu există nicio întoarcere', 'Once you delete your account, there is no going back' => 'După ce ștergeți contul dvs., nu există nicio întoarcere',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'După ce ați șters datele, nu veți mai putea să vă conectați cu acest cont.',
'Password' => 'Parola', 'Password' => 'Parola',
'Password age' => 'Varsta parolei',
'Password has been changed' => 'parola a fost schimbata', 'Password has been changed' => 'parola a fost schimbata',
'Permissions' => 'Permisiuni', 'Permissions' => 'Permisiuni',
'Please be certain' => 'Fiți siguri', 'Please be certain' => 'Fiți siguri',
'Please click the link below to complete your password reset' => 'Faceți clic pe linkul de mai jos pentru a finaliza resetarea parolei', 'Please click the link below to complete your password reset' => 'Faceți clic pe linkul de mai jos pentru a finaliza resetarea parolei',
'Please fix following errors:' => 'Remediați următoarele erori:', 'Please fix following errors:' => 'Remediați următoarele erori:',
'Privacy' => 'intimitate',
'Privacy settings' => 'Setările de confidențialitate',
'Profile' => 'Profil', 'Profile' => 'Profil',
'Profile details' => 'Detaliile profilului', 'Profile details' => 'Detaliile profilului',
'Profile details have been updated' => 'Detaliile profilului au fost actualizate', 'Profile details have been updated' => 'Detaliile profilului au fost actualizate',
@ -219,7 +190,10 @@ return [
'Registration time' => 'Timp de înregistrare', 'Registration time' => 'Timp de înregistrare',
'Remember me next time' => 'Adu-ți aminte de mine data viitoare', 'Remember me next time' => 'Adu-ți aminte de mine data viitoare',
'Request new confirmation message' => 'Solicitați un nou mesaj de confirmare', 'Request new confirmation message' => 'Solicitați un nou mesaj de confirmare',
'Required "key" cannot be empty.' => 'Tasta "cheie" necesară nu poate fi goală.',
'Required "secret" cannot be empty.' => 'Necesarul "secret" nu poate fi gol.',
'Reset your password' => 'reseteaza parola', 'Reset your password' => 'reseteaza parola',
'Role "{0}" not found. Creating it.' => 'Rolul "{0}" nu a fost găsit. Crearea lui.',
'Roles' => 'roluri', 'Roles' => 'roluri',
'Rule' => 'Regulă', 'Rule' => 'Regulă',
'Rule class must extend "yii\\rbac\\Rule".' => 'Clasa de reguli trebuie să extindă regula "yii \\ rbac \\".', 'Rule class must extend "yii\\rbac\\Rule".' => 'Clasa de reguli trebuie să extindă regula "yii \\ rbac \\".',
@ -229,26 +203,39 @@ return [
'Rule {0} not found.' => 'Regula {0} nu a fost găsită.', 'Rule {0} not found.' => 'Regula {0} nu a fost găsită.',
'Rules' => 'reguli', 'Rules' => 'reguli',
'Save' => 'Salvați', 'Save' => 'Salvați',
'Scan the QrCode with Google Authenticator App, then insert its temporary code on the box and submit.' => 'Scanați codul QrCode cu aplicația Google Authenticator, apoi introduceți codul temporar în cutie și trimiteți-l.',
'Send password recovery email' => 'Trimiteți e-mail pentru recuperarea parolei',
'Sign in' => 'conectare', 'Sign in' => 'conectare',
'Sign up' => 'Inscrie-te', 'Sign up' => 'Inscrie-te',
'Something went wrong' => 'Ceva n-a mers bine', 'Something went wrong' => 'Ceva n-a mers bine',
'Switch identities is disabled.' => 'Identitatea de comutare este dezactivată.', 'Switch identities is disabled.' => 'Identitatea de comutare este dezactivată.',
'Thank you for signing up on {0}' => 'Vă mulțumim pentru înscrierea la {0}', 'Thank you for signing up on {0}' => 'Vă mulțumim pentru înscrierea la {0}',
'Thank you, registration is now complete.' => 'Mulțumesc, înregistrarea este acum completă.', 'Thank you, registration is now complete.' => 'Mulțumesc, înregistrarea este acum completă.',
'The "recaptcha" component must be configured.' => 'Componenta "recaptcha" trebuie să fie configurată.',
'The confirmation link is invalid or expired. Please try requesting a new one.' => 'Linkul de confirmare este nevalid sau expirat. Încercați să solicitați unul nou.', 'The confirmation link is invalid or expired. Please try requesting a new one.' => 'Linkul de confirmare este nevalid sau expirat. Încercați să solicitați unul nou.',
'The verification code is incorrect.' => 'Codul de verificare este incorect.',
'There is neither role nor permission with name "{0}"' => 'Nu există nici rol, nici permisiune cu numele "{0}"', 'There is neither role nor permission with name "{0}"' => 'Nu există nici rol, nici permisiune cu numele "{0}"',
'There was an error in saving user' => 'A apărut o eroare la salvarea utilizatorului',
'This account has already been connected to another user' => 'Acest cont a fost deja conectat la alt utilizator', 'This account has already been connected to another user' => 'Acest cont a fost deja conectat la alt utilizator',
'This email address has already been taken' => 'Această adresă de e-mail a fost deja preluată', 'This email address has already been taken' => 'Această adresă de e-mail a fost deja preluată',
'This username has already been taken' => 'Acest nume de utilizator a fost deja luat', 'This username has already been taken' => 'Acest nume de utilizator a fost deja luat',
'This will disable two factor authentication. Are you sure?' => 'Aceasta va dezactiva autentificarea cu doi factori. Esti sigur?',
'This will remove your personal data from this site. You will no longer be able to sign in.' => 'Aceasta va elimina datele personale de pe acest site. Nu veți mai putea să vă conectați.',
'Time zone' => 'Fus orar', 'Time zone' => 'Fus orar',
'Time zone is not valid' => 'Fusul orar nu este valabil', 'Time zone is not valid' => 'Fusul orar nu este valabil',
'Two Factor Authentication (2FA)' => 'Două autentificare cu factori (2FA)',
'Two factor authentication code' => 'Cod de autentificare cu doi factori',
'Two factor authentication has been disabled.' => 'A fost dezactivată autentificarea cu doi factori.',
'Two factor authentication successfully enabled.' => 'Două autentificare cu factori a fost activată cu succes.',
'Unable to confirm user. Please, try again.' => 'Nu am putut confirma utilizatorul. Vă rugăm să încercați din nou.', 'Unable to confirm user. Please, try again.' => 'Nu am putut confirma utilizatorul. Vă rugăm să încercați din nou.',
'Unable to create an account.' => 'Imposibil de creat un cont.', 'Unable to create an account.' => 'Imposibil de creat un cont.',
'Unable to create authorization item.' => 'Imposibil de creat element de autorizare.', 'Unable to create authorization item.' => 'Imposibil de creat element de autorizare.',
'Unable to create new authorization rule.' => 'Nu se poate crea o nouă regulă de autorizare.', 'Unable to create new authorization rule.' => 'Nu se poate crea o nouă regulă de autorizare.',
'Unable to delete user. Please, try again later.' => 'Nu se poate șterge utilizatorul. Vă rugăm să încercați din nou mai târziu.', 'Unable to delete user. Please, try again later.' => 'Nu se poate șterge utilizatorul. Vă rugăm să încercați din nou mai târziu.',
'Unable to disable Two factor authentication.' => 'Imposibil de dezactivat autentificarea cu doi factori.',
'Unable to remove authorization item.' => 'Imposibil de eliminat elementul de autorizare.', 'Unable to remove authorization item.' => 'Imposibil de eliminat elementul de autorizare.',
'Unable to send confirmation link' => 'Imposibil de trimis linkul de confirmare', 'Unable to send confirmation link' => 'Imposibil de trimis linkul de confirmare',
'Unable to send recovery message to the user' => 'Nu s-a putut trimite mesajul de recuperare utilizatorului',
'Unable to update authorization item.' => 'Imposibil de actualizat elementul de autorizare.', 'Unable to update authorization item.' => 'Imposibil de actualizat elementul de autorizare.',
'Unable to update authorization rule.' => 'Imposibil de actualizat regula de autorizare.', 'Unable to update authorization rule.' => 'Imposibil de actualizat regula de autorizare.',
'Unable to update block status.' => 'Nu se poate actualiza starea blocului.', 'Unable to update block status.' => 'Nu se poate actualiza starea blocului.',
@ -261,20 +248,28 @@ return [
'Update rule' => 'Actualizați regula', 'Update rule' => 'Actualizați regula',
'Update user account' => 'Actualizați contul de utilizator', 'Update user account' => 'Actualizați contul de utilizator',
'Updated at' => 'Actualizat la', 'Updated at' => 'Actualizat la',
'User account could not be created.' => 'Contul de utilizator nu a putut fi creat.',
'User block status has been updated.' => 'Starea blocului de utilizatori a fost actualizată.', 'User block status has been updated.' => 'Starea blocului de utilizatori a fost actualizată.',
'User could not be registered.' => 'Utilizatorul nu a putut fi înregistrat.',
'User has been confirmed' => 'Utilizatorul a fost confirmat', 'User has been confirmed' => 'Utilizatorul a fost confirmat',
'User has been created' => 'Utilizatorul a fost creat', 'User has been created' => 'Utilizatorul a fost creat',
'User has been deleted' => 'Utilizatorul a fost șters', 'User has been deleted' => 'Utilizatorul a fost șters',
'User is not found' => 'Utilizatorul nu a fost găsit', 'User is not found' => 'Utilizatorul nu a fost găsit',
'User not found.' => 'Utilizator nu a fost găsit.',
'User will be required to change password at next login' => 'Utilizatorul va trebui să schimbe parola la următoarea conectare',
'Username' => 'Nume de utilizator', 'Username' => 'Nume de utilizator',
'Users' => 'Utilizatori', 'Users' => 'Utilizatori',
'VKontakte' => 'VKontakte', 'VKontakte' => 'VKontakte',
'Verification failed. Please, enter new code.' => 'Verificare esuata. Introduceți cod nou.',
'We couldn\'t re-send the mail to confirm your address. Please, verify is the correct email or if it has been confirmed already.' => 'Nu am putut retrimite mesajul pentru a vă confirma adresa. Verificați e-mailul corect sau dacă acesta a fost deja confirmat.',
'We have generated a password for you' => 'Am generat o parolă pentru dvs.', 'We have generated a password for you' => 'Am generat o parolă pentru dvs.',
'We have received a request to change the email address for your account on {0}' => 'Am primit o solicitare de modificare a adresei de e-mail pentru contul dvs. la {0}', 'We have received a request to change the email address for your account on {0}' => 'Am primit o solicitare de modificare a adresei de e-mail pentru contul dvs. la {0}',
'We have received a request to reset the password for your account on {0}' => 'Am primit o solicitare de resetare a parolei pentru contul dvs. la {0}', 'We have received a request to reset the password for your account on {0}' => 'Am primit o solicitare de resetare a parolei pentru contul dvs. la {0}',
'We have sent confirmation links to both old and new email addresses. You must click both links to complete your request.' => 'Am trimis legături de confirmare adreselor de e-mail vechi și noi. Trebuie să faceți clic pe ambele linkuri pentru a finaliza solicitarea dvs.',
'Website' => 'website', 'Website' => 'website',
'Welcome to {0}' => 'Bun venit la {0}', 'Welcome to {0}' => 'Bun venit la {0}',
'Yandex' => 'Yandex', 'Yandex' => 'Yandex',
'You are about to delete all your personal data from this site.' => 'Sunteți pe cale să ștergeți toate datele dvs. personale de pe acest site.',
'You can assign multiple roles or permissions to user by using the form below' => 'Puteți atribui mai multe roluri sau permisiuni utilizatorului utilizând formularul de mai jos', 'You can assign multiple roles or permissions to user by using the form below' => 'Puteți atribui mai multe roluri sau permisiuni utilizatorului utilizând formularul de mai jos',
'You can connect multiple accounts to be able to log in using them' => 'Puteți conecta mai multe conturi pentru a vă putea conecta utilizând', 'You can connect multiple accounts to be able to log in using them' => 'Puteți conecta mai multe conturi pentru a vă putea conecta utilizând',
'You cannot remove your own account' => 'Nu puteți să vă eliminați contul', 'You cannot remove your own account' => 'Nu puteți să vă eliminați contul',
@ -288,7 +283,13 @@ return [
'Your account has been created and a message with further instructions has been sent to your email' => 'Contul dvs. a fost creat și un mesaj cu instrucțiuni suplimentare a fost trimis la adresa dvs. de e-mail', 'Your account has been created and a message with further instructions has been sent to your email' => 'Contul dvs. a fost creat și un mesaj cu instrucțiuni suplimentare a fost trimis la adresa dvs. de e-mail',
'Your account on {0} has been created' => 'Contul dvs. din {0} a fost creat', 'Your account on {0} has been created' => 'Contul dvs. din {0} a fost creat',
'Your confirmation token is invalid or expired' => 'Jetonul de confirmare este nevalid sau expirat', 'Your confirmation token is invalid or expired' => 'Jetonul de confirmare este nevalid sau expirat',
'Your consent is required to register' => 'Consimțământul dvs. este necesar să vă înregistrați',
'Your email address has been changed' => 'Adresa dvs. de e-mail a fost modificată', 'Your email address has been changed' => 'Adresa dvs. de e-mail a fost modificată',
'Your password has expired, you must change it now' => 'Parola dvs. a expirat, trebuie să o modificați acum',
'Your personal information has been removed' => 'Informațiile dvs. personale au fost eliminate',
'Your profile has been updated' => 'Profilul dvs. a fost actualizat', 'Your profile has been updated' => 'Profilul dvs. a fost actualizat',
'privacy policy' => 'politica de confidentialitate',
'{0, date, MMM dd, YYYY HH:mm}' => '@@@@',
'{0, date, MMMM dd, YYYY HH:mm}' => '{0, data, MMMM dd, AAAA HH: mm}', '{0, date, MMMM dd, YYYY HH:mm}' => '{0, data, MMMM dd, AAAA HH: mm}',
'{0} cannot be blank.' => '{0} nu poate fi gol.',
]; ];

View File

@ -17,40 +17,12 @@
* NOTE: this file must be saved in UTF-8 encoding. * NOTE: this file must be saved in UTF-8 encoding.
*/ */
return [ return [
'Are you sure you wish the user to change their password at next login?' => 'Вы уверены, что хотите, чтобы пользователь изменил свой пароль при следующем входе?', 'Two factor authentication protects you in case of stolen credentials' => '',
'Back to privacy settings' => 'Вернуться к настройкам конфиденциальности',
'Data processing consent' => 'Cогласие на обработку данных',
'Delete my account' => 'Удалить мой аккаунт',
'Delete personal data' => 'Удалить персональные данные',
'Deleted by GDPR request' => 'Удалено по запросу GDPR',
'Download my data' => 'Загрузка моих данных',
'Export my data' => 'Экспорт моих данных',
'Force password change at next login' => 'Заменить пароль при следующем входе',
'Here you can download your personal data in a comma separated values format.' => 'Здесь вы можете загрузить свои персональные данные в формате значений, разделенных запятыми.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Я соглашаюсь на обработку моих персональных данных и использование файлов cookie для облегчения работы этого сайта. Для получения дополнительной информации ознакомьтесь с нашей {privacyPolicy}',
'Invalid password' => 'Неверный пароль',
'Last login IP' => 'IP последнего входа',
'Last login time' => 'Время последнего входа',
'Last password change' => 'Последняя смена пароля',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'После того, как вы удалили свои данные, вы больше не сможете войти в эту учетную запись.',
'Password age' => 'Срок действия пароля',
'Privacy' => 'Конфиденциальность',
'Privacy settings' => 'Настройки конфиденциальности',
'There was an error in saving user' => 'При сохранении пользователя произошла ошибка',
'This will remove your personal data from this site. You will no longer be able to sign in.' => 'Это приведет к удалению ваших персональных данных с этого сайта. Вы больше не сможете войти.',
'User will be required to change password at next login' => 'Пользователь должен будет сменить пароль при следующем входе',
'You are about to delete all your personal data from this site.' => 'Вы собираетесь удалить все свои персональные данные с этого сайта.',
'Your consent is required to register' => 'Ваше согласие требуется для регистрации',
'Your password has expired, you must change it now' => 'Срок действия вашего пароля истек, сейчас вы должны изменить его',
'Your personal information has been removed' => 'Ваша персональная информация удалена',
'privacy policy' => 'политикой конфиденциальности',
'A message has been sent to your email address. ' => '@@Сообщение было отправлено на вашу электронную почту@@', 'A message has been sent to your email address. ' => '@@Сообщение было отправлено на вашу электронную почту@@',
'Awesome, almost there. ' => '@@Замечательно, почти готово!@@', 'Awesome, almost there. ' => '@@Замечательно, почти готово!@@',
'Class "{0}" does not exist' => '@@Класс "{0}" не найден@@', 'Class "{0}" does not exist' => '@@Класс "{0}" не найден@@',
'Disable Two-Factor Auth' => '@@Отключить двухфакторную авторизацию@@', 'Disable Two-Factor Auth' => '@@Отключить двухфакторную авторизацию@@',
'Enable Two-factor auth' => '@@Включить двухфакторную авторизацию@@', 'Enable Two-factor auth' => '@@Включить двухфакторную авторизацию@@',
'I aggree processing of my personal data and the use of cookies
to facilitate the operation of this site. For more information read our {privacyPolicy}' => '@@@@',
'I aggree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => '@@@@', 'I aggree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => '@@@@',
'Invalid two-factor code' => '@@Неверный код двухфакторной авторизации@@', 'Invalid two-factor code' => '@@Неверный код двухфакторной авторизации@@',
'Last login' => '@@Последний вход@@', 'Last login' => '@@Последний вход@@',
@ -59,6 +31,7 @@ to facilitate the operation of this site. For more information read our {privacy
'Rule class must extend "yii\\rbac\\Rule"' => '@@Класс правила должен наследоваться от "yii\\rbac\\Rule"@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@Класс правила должен наследоваться от "yii\\rbac\\Rule"@@',
'This will disable two-factor auth. Are you sure?' => '@@Вы уверены, что хотите отключить двухфакторную авторизацию?@@', 'This will disable two-factor auth. Are you sure?' => '@@Вы уверены, что хотите отключить двухфакторную авторизацию?@@',
'Two Factor Authentication' => '@@Двухфакторная авторизация@@', 'Two Factor Authentication' => '@@Двухфакторная авторизация@@',
'Two factor authentication protects you against stolen credentials' => '@@Двухфакторная авторизация защитит вас от кражи параметров доступа@@',
'Two factor successfully enabled.' => '@@Включена двухфакторная авторизация.@@', 'Two factor successfully enabled.' => '@@Включена двухфакторная авторизация.@@',
'Two-Factor Authentication' => '@@Двухфакторная авторизация@@', 'Two-Factor Authentication' => '@@Двухфакторная авторизация@@',
'Two-factor auth protects you against stolen credentials' => '@@Двухфакторная авторизация предотвращает кражу ваших данных для входа.@@', 'Two-factor auth protects you against stolen credentials' => '@@Двухфакторная авторизация предотвращает кражу ваших данных для входа.@@',
@ -68,7 +41,6 @@ to facilitate the operation of this site. For more information read our {privacy
'Unable to disable two-factor authorization.' => '@@Не удалось отключить двухфакторную авторизацию.@@', 'Unable to disable two-factor authorization.' => '@@Не удалось отключить двухфакторную авторизацию.@@',
'We couldn\'t re-send the mail to confirm your address. ' => '@@Мы не можем повторно отправить письмо для подтверждения вашего адреса электронной почты.@@', 'We couldn\'t re-send the mail to confirm your address. ' => '@@Мы не можем повторно отправить письмо для подтверждения вашего адреса электронной почты.@@',
'We have sent confirmation links to both old and new email addresses. ' => '@@Мы отправили письма на ваш старый и новый почтовые ящики. Вы должны перейти по обеим, чтобы завершить процесс смены адреса.@@', 'We have sent confirmation links to both old and new email addresses. ' => '@@Мы отправили письма на ваш старый и новый почтовые ящики. Вы должны перейти по обеим, чтобы завершить процесс смены адреса.@@',
'{0, date, MMM dd, YYYY HH:mm}' => '@@@@',
'(not set)' => '(не задано)', '(not set)' => '(не задано)',
'A confirmation message has been sent to your new email address' => 'На указанный адрес было отправлено письмо с дальнейшими инструкциями', 'A confirmation message has been sent to your new email address' => 'На указанный адрес было отправлено письмо с дальнейшими инструкциями',
'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'На вашу электронную почту было отправлено сообщение со ссылкой подтверждения регистрации.', 'A message has been sent to your email address. It contains a confirmation link that you must click to complete registration.' => 'На вашу электронную почту было отправлено сообщение со ссылкой подтверждения регистрации.',
@ -87,6 +59,7 @@ to facilitate the operation of this site. For more information read our {privacy
'Are you sure you want to delete this user?' => 'Вы действительно хотите удалить этого пользователя?', 'Are you sure you want to delete this user?' => 'Вы действительно хотите удалить этого пользователя?',
'Are you sure you want to switch to this user for the rest of this Session?' => 'Вы уверены, что хотите переключиться на этого пользователя до окончании текущей сессии?', 'Are you sure you want to switch to this user for the rest of this Session?' => 'Вы уверены, что хотите переключиться на этого пользователя до окончании текущей сессии?',
'Are you sure you want to unblock this user?' => 'Вы действительно хотите разблокировать этого пользователя?', 'Are you sure you want to unblock this user?' => 'Вы действительно хотите разблокировать этого пользователя?',
'Are you sure you wish the user to change their password at next login?' => 'Вы уверены, что хотите, чтобы пользователь изменил свой пароль при следующем входе?',
'Are you sure you wish to send a password recovery email to this user?' => 'Вы уверены, что хотите отправить письмо с восстановлением пароля на почту этому пользователю?', 'Are you sure you wish to send a password recovery email to this user?' => 'Вы уверены, что хотите отправить письмо с восстановлением пароля на почту этому пользователю?',
'Are you sure? Deleted user can not be restored' => 'Вы уверены? Удалённый аккаунт невозможно будет восстановить', 'Are you sure? Deleted user can not be restored' => 'Вы уверены? Удалённый аккаунт невозможно будет восстановить',
'Are you sure? There is no going back' => 'Вы уверены? Это действие невозможно отменить', 'Are you sure? There is no going back' => 'Вы уверены? Это действие невозможно отменить',
@ -102,6 +75,7 @@ to facilitate the operation of this site. For more information read our {privacy
'Authorization rule has been updated.' => 'Правило авторизации было обновлено.', 'Authorization rule has been updated.' => 'Правило авторизации было обновлено.',
'Awesome, almost there. Now you need to click the confirmation link sent to your new email address.' => 'Замечательно, почти готово. Вам осталось перейти по ссылке подтверждения, отправленной на новый адрес вашей электронной почты.', 'Awesome, almost there. Now you need to click the confirmation link sent to your new email address.' => 'Замечательно, почти готово. Вам осталось перейти по ссылке подтверждения, отправленной на новый адрес вашей электронной почты.',
'Awesome, almost there. Now you need to click the confirmation link sent to your old email address.' => 'Замечательно, почти готово. Вам осталось перейти по ссылке подтверждения, отправленной на старый адрес вашей электронной почты.', 'Awesome, almost there. Now you need to click the confirmation link sent to your old email address.' => 'Замечательно, почти готово. Вам осталось перейти по ссылке подтверждения, отправленной на старый адрес вашей электронной почты.',
'Back to privacy settings' => 'Вернуться к настройкам конфиденциальности',
'Bio' => 'О себе', 'Bio' => 'О себе',
'Block' => 'Блокировка', 'Block' => 'Блокировка',
'Block status' => 'Статус блокировки', 'Block status' => 'Статус блокировки',
@ -132,13 +106,18 @@ to facilitate the operation of this site. For more information read our {privacy
'Credentials will be sent to the user by email' => 'Данные для входа будут отправлены пользователю на почту', 'Credentials will be sent to the user by email' => 'Данные для входа будут отправлены пользователю на почту',
'Current password' => 'Текущий пароль', 'Current password' => 'Текущий пароль',
'Current password is not valid' => 'Текущий пароль введён неправильно', 'Current password is not valid' => 'Текущий пароль введён неправильно',
'Data processing consent' => 'Cогласие на обработку данных',
'Delete' => 'Удалить', 'Delete' => 'Удалить',
'Delete account' => 'Удалить аккаунт', 'Delete account' => 'Удалить аккаунт',
'Delete my account' => 'Удалить мой аккаунт',
'Delete personal data' => 'Удалить персональные данные',
'Deleted by GDPR request' => 'Удалено по запросу GDPR',
'Description' => 'Описание', 'Description' => 'Описание',
'Didn\'t receive confirmation message?' => 'Не пришло письмо?', 'Didn\'t receive confirmation message?' => 'Не пришло письмо?',
'Disable two factor authentication' => 'Выключить двухфакторную авторизацию', 'Disable two factor authentication' => 'Выключить двухфакторную авторизацию',
'Disconnect' => 'Отключить', 'Disconnect' => 'Отключить',
'Don\'t have an account? Sign up!' => 'Нет аккаунта? Зарегистрируйтесь!', 'Don\'t have an account? Sign up!' => 'Нет аккаунта? Зарегистрируйтесь!',
'Download my data' => 'Загрузка моих данных',
'Email' => 'Email', 'Email' => 'Email',
'Email (public)' => 'Публичный email', 'Email (public)' => 'Публичный email',
'Enable' => 'Включить', 'Enable' => 'Включить',
@ -148,10 +127,14 @@ to facilitate the operation of this site. For more information read our {privacy
'Error occurred while deleting user' => 'Произошла ошибка при удалении пользователя', 'Error occurred while deleting user' => 'Произошла ошибка при удалении пользователя',
'Error sending registration message to "{email}". Please try again later.' => 'Ошибка при отправке письма о регистрации на "{email}". Пожалуйста, попробуйте позже.', 'Error sending registration message to "{email}". Please try again later.' => 'Ошибка при отправке письма о регистрации на "{email}". Пожалуйста, попробуйте позже.',
'Error sending welcome message to "{email}". Please try again later.' => 'Ошибка при отправке приветственного письма на "{email}". Пожалуйста, попробуйте позже.', 'Error sending welcome message to "{email}". Please try again later.' => 'Ошибка при отправке приветственного письма на "{email}". Пожалуйста, попробуйте позже.',
'Export my data' => 'Экспорт моих данных',
'Finish' => 'Завершить', 'Finish' => 'Завершить',
'Force password change at next login' => 'Заменить пароль при следующем входе',
'Forgot password?' => 'Забыли пароль?', 'Forgot password?' => 'Забыли пароль?',
'Gravatar email' => 'Email для Gravatar', 'Gravatar email' => 'Email для Gravatar',
'Hello' => 'Здравствуйте', 'Hello' => 'Здравствуйте',
'Here you can download your personal data in a comma separated values format.' => 'Здесь вы можете загрузить свои персональные данные в формате значений, разделенных запятыми.',
'I agree processing of my personal data and the use of cookies to facilitate the operation of this site. For more information read our {privacyPolicy}' => 'Я соглашаюсь на обработку моих персональных данных и использование файлов cookie для облегчения работы этого сайта. Для получения дополнительной информации ознакомьтесь с нашей {privacyPolicy}',
'If you already registered, sign in and connect this account on settings page' => 'Если вы уже зарегистрированы, войдите и подключите аккаунт в настройках', 'If you already registered, sign in and connect this account on settings page' => 'Если вы уже зарегистрированы, войдите и подключите аккаунт в настройках',
'If you cannot click the link, please try pasting the text into your browser' => 'Если вы не можете нажать на ссылку, скопируйте её и вставьте в адресную строку вашего браузера', 'If you cannot click the link, please try pasting the text into your browser' => 'Если вы не можете нажать на ссылку, скопируйте её и вставьте в адресную строку вашего браузера',
'If you did not make this request you can ignore this email' => 'Если вы получили это сообщение по ошибке, просто проигнорируйте или удалите его', 'If you did not make this request you can ignore this email' => 'Если вы получили это сообщение по ошибке, просто проигнорируйте или удалите его',
@ -162,11 +145,15 @@ to facilitate the operation of this site. For more information read our {privacy
'Information' => 'Информация', 'Information' => 'Информация',
'Invalid login or password' => 'Неправильный логин или пароль', 'Invalid login or password' => 'Неправильный логин или пароль',
'Invalid or expired link' => 'Ссылка неправильна или устарела', 'Invalid or expired link' => 'Ссылка неправильна или устарела',
'Invalid password' => 'Неверный пароль',
'Invalid two factor authentication code' => 'Неверный код двухфакторной авторизации', 'Invalid two factor authentication code' => 'Неверный код двухфакторной авторизации',
'Invalid value' => 'Неправильное значение', 'Invalid value' => 'Неправильное значение',
'It will be deleted forever' => 'Он будет удалён навсегда', 'It will be deleted forever' => 'Он будет удалён навсегда',
'Items' => 'Элементы', 'Items' => 'Элементы',
'Joined on {0, date}' => 'Зарегистрирован {0, date}', 'Joined on {0, date}' => 'Зарегистрирован {0, date}',
'Last login IP' => 'IP последнего входа',
'Last login time' => 'Время последнего входа',
'Last password change' => 'Последняя смена пароля',
'Location' => 'Местоположение', 'Location' => 'Местоположение',
'Login' => 'Логин', 'Login' => 'Логин',
'Logout' => 'Выйти', 'Logout' => 'Выйти',
@ -183,12 +170,16 @@ to facilitate the operation of this site. For more information read our {privacy
'Not blocked' => 'Не заблокирован', 'Not blocked' => 'Не заблокирован',
'Not found' => 'Не найден', 'Not found' => 'Не найден',
'Once you delete your account, there is no going back' => 'Как только вы удалите свой аккаунт, пути назад не будет', 'Once you delete your account, there is no going back' => 'Как только вы удалите свой аккаунт, пути назад не будет',
'Once you have deleted your data, you will not longer be able to sign in with this account.' => 'После того, как вы удалили свои данные, вы больше не сможете войти в эту учетную запись.',
'Password' => 'Пароль', 'Password' => 'Пароль',
'Password age' => 'Срок действия пароля',
'Password has been changed' => 'Пароль был изменён', 'Password has been changed' => 'Пароль был изменён',
'Permissions' => 'Разрешения', 'Permissions' => 'Разрешения',
'Please be certain' => 'Пожалуйста, будьте осторожны', 'Please be certain' => 'Пожалуйста, будьте осторожны',
'Please click the link below to complete your password reset' => 'Пожалуйста, нажмите на ссылку ниже, чтобы завершить процедуру сброса пароля', 'Please click the link below to complete your password reset' => 'Пожалуйста, нажмите на ссылку ниже, чтобы завершить процедуру сброса пароля',
'Please fix following errors:' => 'Исправьте следующие ошибки:', 'Please fix following errors:' => 'Исправьте следующие ошибки:',
'Privacy' => 'Конфиденциальность',
'Privacy settings' => 'Настройки конфиденциальности',
'Profile' => 'Профиль', 'Profile' => 'Профиль',
'Profile details' => 'Профиль', 'Profile details' => 'Профиль',
'Profile details have been updated' => 'Профиль пользователя был обновлён', 'Profile details have been updated' => 'Профиль пользователя был обновлён',
@ -226,16 +217,17 @@ to facilitate the operation of this site. For more information read our {privacy
'The confirmation link is invalid or expired. Please try requesting a new one.' => 'Ссылка для активации аккаунта неправильна или устарела. Вы можете запросить новую.', 'The confirmation link is invalid or expired. Please try requesting a new one.' => 'Ссылка для активации аккаунта неправильна или устарела. Вы можете запросить новую.',
'The verification code is incorrect.' => 'Неправильный код подтверждения.', 'The verification code is incorrect.' => 'Неправильный код подтверждения.',
'There is neither role nor permission with name "{0}"' => 'Нет ни роли, ни разрешения с именем "{0}"', 'There is neither role nor permission with name "{0}"' => 'Нет ни роли, ни разрешения с именем "{0}"',
'There was an error in saving user' => 'При сохранении пользователя произошла ошибка',
'This account has already been connected to another user' => 'Этот аккаунт уже привязан к другой учетной записи', 'This account has already been connected to another user' => 'Этот аккаунт уже привязан к другой учетной записи',
'This email address has already been taken' => 'Email уже используется', 'This email address has already been taken' => 'Email уже используется',
'This username has already been taken' => 'Это имя пользователя уже используется', 'This username has already been taken' => 'Это имя пользователя уже используется',
'This will disable two factor authentication. Are you sure?' => 'Двухфакторная авторизация будет отключена. Вы уверены?', 'This will disable two factor authentication. Are you sure?' => 'Двухфакторная авторизация будет отключена. Вы уверены?',
'This will remove your personal data from this site. You will no longer be able to sign in.' => 'Это приведет к удалению ваших персональных данных с этого сайта. Вы больше не сможете войти.',
'Time zone' => 'Часовой пояс', 'Time zone' => 'Часовой пояс',
'Time zone is not valid' => 'Некорректный часовой пояс', 'Time zone is not valid' => 'Некорректный часовой пояс',
'Two Factor Authentication (2FA)' => 'Двухфакторная авторизация (2FA)', 'Two Factor Authentication (2FA)' => 'Двухфакторная авторизация (2FA)',
'Two factor authentication code' => 'Код двухфакторной авторизации', 'Two factor authentication code' => 'Код двухфакторной авторизации',
'Two factor authentication has been disabled.' => 'Двухфакторная авторизация отключена.', 'Two factor authentication has been disabled.' => 'Двухфакторная авторизация отключена.',
'Two factor authentication protects you against stolen credentials' => 'Двухфакторная авторизация защитит вас от кражи параметров доступа',
'Two factor authentication successfully enabled.' => 'Двухфакторная авторизация успешно включена.', 'Two factor authentication successfully enabled.' => 'Двухфакторная авторизация успешно включена.',
'Unable to confirm user. Please, try again.' => 'Не удалось активировать пользователя. Пожалуйста, попробуйте ещё раз.', 'Unable to confirm user. Please, try again.' => 'Не удалось активировать пользователя. Пожалуйста, попробуйте ещё раз.',
'Unable to create an account.' => 'Не удалось создать аккаунт.', 'Unable to create an account.' => 'Не удалось создать аккаунт.',
@ -266,6 +258,7 @@ to facilitate the operation of this site. For more information read our {privacy
'User has been deleted' => 'Пользователь был удалён', 'User has been deleted' => 'Пользователь был удалён',
'User is not found' => 'Пользователь не найден', 'User is not found' => 'Пользователь не найден',
'User not found.' => 'Пользователь не найден.', 'User not found.' => 'Пользователь не найден.',
'User will be required to change password at next login' => 'Пользователь должен будет сменить пароль при следующем входе',
'Username' => 'Имя пользователя', 'Username' => 'Имя пользователя',
'Users' => 'Пользователи', 'Users' => 'Пользователи',
'VKontakte' => 'ВКонтакте', 'VKontakte' => 'ВКонтакте',
@ -278,6 +271,7 @@ to facilitate the operation of this site. For more information read our {privacy
'Website' => 'Веб-сайт', 'Website' => 'Веб-сайт',
'Welcome to {0}' => 'Добро пожаловать на {0}', 'Welcome to {0}' => 'Добро пожаловать на {0}',
'Yandex' => 'Яндекс', 'Yandex' => 'Яндекс',
'You are about to delete all your personal data from this site.' => 'Вы собираетесь удалить все свои персональные данные с этого сайта.',
'You can assign multiple roles or permissions to user by using the form below' => 'Вы можете добавить пользователю несколько ролей или разрешений, используя форму ниже', 'You can assign multiple roles or permissions to user by using the form below' => 'Вы можете добавить пользователю несколько ролей или разрешений, используя форму ниже',
'You can connect multiple accounts to be able to log in using them' => 'Вы можете подключить несколько аккаунтов, чтобы использовать их для входа', 'You can connect multiple accounts to be able to log in using them' => 'Вы можете подключить несколько аккаунтов, чтобы использовать их для входа',
'You cannot remove your own account' => 'Вы не можете удалить свой аккаунт', 'You cannot remove your own account' => 'Вы не можете удалить свой аккаунт',
@ -291,8 +285,13 @@ to facilitate the operation of this site. For more information read our {privacy
'Your account has been created and a message with further instructions has been sent to your email' => 'Ваш аккаунт успешно создан, сообщение с дальнейшими инструкциями отправлено на ваш адрес электронной почты', 'Your account has been created and a message with further instructions has been sent to your email' => 'Ваш аккаунт успешно создан, сообщение с дальнейшими инструкциями отправлено на ваш адрес электронной почты',
'Your account on {0} has been created' => 'Ваш аккаунт на сайте "{0}" был успешно создан', 'Your account on {0} has been created' => 'Ваш аккаунт на сайте "{0}" был успешно создан',
'Your confirmation token is invalid or expired' => 'Ваша ссылка устарела или является ошибочной', 'Your confirmation token is invalid or expired' => 'Ваша ссылка устарела или является ошибочной',
'Your consent is required to register' => 'Ваше согласие требуется для регистрации',
'Your email address has been changed' => 'Ваш email был успешно изменён', 'Your email address has been changed' => 'Ваш email был успешно изменён',
'Your password has expired, you must change it now' => 'Срок действия вашего пароля истек, сейчас вы должны изменить его',
'Your personal information has been removed' => 'Ваша персональная информация удалена',
'Your profile has been updated' => 'Настройки профиля были успешно сохранены', 'Your profile has been updated' => 'Настройки профиля были успешно сохранены',
'privacy policy' => 'политикой конфиденциальности',
'{0, date, MMM dd, YYYY HH:mm}' => '@@@@',
'{0, date, MMMM dd, YYYY HH:mm}' => '{0, date, d MMMM YYYY в HH:mm}', '{0, date, MMMM dd, YYYY HH:mm}' => '{0, date, d MMMM YYYY в HH:mm}',
'{0} cannot be blank.' => '{0} не может быть пустым.', '{0} cannot be blank.' => '{0} не может быть пустым.',
]; ];

View File

@ -204,7 +204,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to confirm user. Please, try again.' => '', 'Unable to confirm user. Please, try again.' => '',
'Unable to create an account.' => '', 'Unable to create an account.' => '',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -204,7 +204,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to confirm user. Please, try again.' => '', 'Unable to confirm user. Please, try again.' => '',
'Unable to create an account.' => '', 'Unable to create an account.' => '',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -204,7 +204,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to confirm user. Please, try again.' => '', 'Unable to confirm user. Please, try again.' => '',
'Unable to create an account.' => '', 'Unable to create an account.' => '',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -204,7 +204,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to confirm user. Please, try again.' => '', 'Unable to confirm user. Please, try again.' => '',
'Unable to create an account.' => '', 'Unable to create an account.' => '',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -204,7 +204,7 @@ return [
'Two Factor Authentication (2FA)' => '', 'Two Factor Authentication (2FA)' => '',
'Two factor authentication code' => '', 'Two factor authentication code' => '',
'Two factor authentication has been disabled.' => '', 'Two factor authentication has been disabled.' => '',
'Two factor authentication protects you against stolen credentials' => '', 'Two factor authentication protects you in case of stolen credentials' => '',
'Two factor authentication successfully enabled.' => '', 'Two factor authentication successfully enabled.' => '',
'Unable to confirm user. Please, try again.' => '', 'Unable to confirm user. Please, try again.' => '',
'Unable to create an account.' => '', 'Unable to create an account.' => '',
@ -285,6 +285,7 @@ return [
'Rule class must extend "yii\\rbac\\Rule"' => '@@@@', 'Rule class must extend "yii\\rbac\\Rule"' => '@@@@',
'This will disable two-factor auth. Are you sure?' => '@@@@', 'This will disable two-factor auth. Are you sure?' => '@@@@',
'Two Factor Authentication' => '@@@@', 'Two Factor Authentication' => '@@@@',
'Two factor authentication protects you against stolen credentials' => '@@@@',
'Two factor successfully enabled.' => '@@@@', 'Two factor successfully enabled.' => '@@@@',
'Two-Factor Authentication' => '@@@@', 'Two-Factor Authentication' => '@@@@',
'Two-factor auth protects you against stolen credentials' => '@@@@', 'Two-factor auth protects you against stolen credentials' => '@@@@',

View File

@ -152,7 +152,7 @@ $module = Yii::$app->getModule('user');
return null; return null;
}, },
'reset' => function ($url, $model) use ($module) { 'reset' => function ($url, $model) use ($module) {
if(!$module->allowPasswordRecovery && $module->allowAdminPasswordRecovery) { if($module->allowAdminPasswordRecovery) {
return Html::a( return Html::a(
'<span class="glyphicon glyphicon-flash"></span>', '<span class="glyphicon glyphicon-flash"></span>',
['/user/admin/password-reset', 'id' => $model->id], ['/user/admin/password-reset', 'id' => $model->id],

View File

@ -45,7 +45,7 @@ $this->params['breadcrumbs'][] = $this->title;
<?= $form->field($model, 'password')->passwordInput() ?> <?= $form->field($model, 'password')->passwordInput() ?>
<?php endif ?> <?php endif ?>
<?php if ($module->enableGDPRcompliance): ?> <?php if ($module->enableGdprCompliance): ?>
<?= $form->field($model, 'gdpr_consent')->checkbox(['value' => 1]) ?> <?= $form->field($model, 'gdpr_consent')->checkbox(['value' => 1]) ?>
<?php endif ?> <?php endif ?>

View File

@ -43,7 +43,7 @@ $networksVisible = count(Yii::$app->authClientCollection->clients) > 0;
['label' => Yii::t('usuario', 'Account'), 'url' => ['/user/settings/account']], ['label' => Yii::t('usuario', 'Account'), 'url' => ['/user/settings/account']],
['label' => Yii::t('usuario', 'Privacy'), ['label' => Yii::t('usuario', 'Privacy'),
'url' => ['/user/settings/privacy'], 'url' => ['/user/settings/privacy'],
'visible' => $module->enableGDPRcompliance 'visible' => $module->enableGdprCompliance
], ],
[ [
'label' => Yii::t('usuario', 'Networks'), 'label' => Yii::t('usuario', 'Networks'),

View File

@ -100,7 +100,7 @@ $module = Yii::$app->getModule('user');
</div> </div>
<div class="panel-body"> <div class="panel-body">
<p> <p>
<?= Yii::t('usuario', 'Two factor authentication protects you against stolen credentials') ?>. <?= Yii::t('usuario', 'Two factor authentication protects you in case of stolen credentials') ?>.
</p> </p>
<div class="text-right"> <div class="text-right">
<?= Html::a( <?= Html::a(

View File

@ -28,7 +28,7 @@ $this->params['breadcrumbs'][] = $this->title;
<div class="row"> <div class="row">
<div class="col-md-3"> <div class="col-md-3">
<?= $this->render('/networks/_menu') ?> <?= $this->render('/settings/_menu') ?>
</div> </div>
<div class="col-md-9"> <div class="col-md-9">
<div class="panel panel-default"> <div class="panel panel-default">

View File

@ -68,7 +68,7 @@ class GdprCest
$module = Yii::$app->getModule('user'); $module = Yii::$app->getModule('user');
$module->enableEmailConfirmation = $emailConfirmation; $module->enableEmailConfirmation = $emailConfirmation;
$module->generatePasswords = $generatePasswords; $module->generatePasswords = $generatePasswords;
$module->enableGDPRcompliance = $enableGdpr; $module->enableGdprCompliance = $enableGdpr;
} }
protected function register(FunctionalTester $I, $email, $username = null, $password = null, $gdpr_consent = true) protected function register(FunctionalTester $I, $email, $username = null, $password = null, $gdpr_consent = true)