mirror of
https://github.com/snipe/snipe-it.git
synced 2025-03-05 20:52:15 -08:00
Merge branch 'develop' into v8
This commit is contained in:
commit
a8231bc338
|
@ -43,7 +43,7 @@ class CompaniesController extends Controller
|
|||
|
||||
$companies = Company::withCount(['assets as assets_count' => function ($query) {
|
||||
$query->AssetsForShow();
|
||||
}])->withCount('assets as assets_count', 'licenses as licenses_count', 'accessories as accessories_count', 'consumables as consumables_count', 'components as components_count', 'users as users_count');
|
||||
}])->withCount('licenses as licenses_count', 'accessories as accessories_count', 'consumables as consumables_count', 'components as components_count', 'users as users_count');
|
||||
|
||||
if ($request->filled('search')) {
|
||||
$companies->TextSearch($request->input('search'));
|
||||
|
|
|
@ -258,7 +258,7 @@ class LocationsController extends Controller
|
|||
{
|
||||
$this->authorize('view', Accessory::class);
|
||||
$this->authorize('view', $location);
|
||||
$accessory_checkouts = AccessoryCheckout::LocationAssigned()->with('adminuser')->with('accessories');
|
||||
$accessory_checkouts = AccessoryCheckout::LocationAssigned()->where('assigned_to', $location->id)->with('adminuser')->with('accessories');
|
||||
|
||||
$offset = ($request->input('offset') > $accessory_checkouts->count()) ? $accessory_checkouts->count() : app('api_offset_value');
|
||||
$limit = app('api_limit_value');
|
||||
|
|
|
@ -800,6 +800,7 @@ class SettingsController extends Controller
|
|||
}
|
||||
|
||||
if ($setting->save()) {
|
||||
|
||||
return redirect()->route('settings.labels.index')
|
||||
->with('success', trans('admin/settings/message.update.success'));
|
||||
}
|
||||
|
|
|
@ -2,8 +2,11 @@
|
|||
|
||||
namespace App\Http\Requests;
|
||||
|
||||
|
||||
use App\Models\Labels\Label;
|
||||
use Illuminate\Foundation\Http\FormRequest;
|
||||
use Illuminate\Support\Facades\Gate;
|
||||
use Illuminate\Validation\Rule;
|
||||
|
||||
class StoreLabelSettings extends FormRequest
|
||||
{
|
||||
|
@ -22,6 +25,10 @@ class StoreLabelSettings extends FormRequest
|
|||
*/
|
||||
public function rules(): array
|
||||
{
|
||||
$names = Label::find()?->map(function ($label) {
|
||||
return $label->getName();
|
||||
})->values()->toArray();
|
||||
|
||||
return [
|
||||
'labels_per_page' => 'numeric',
|
||||
'labels_width' => 'numeric',
|
||||
|
@ -36,6 +43,10 @@ class StoreLabelSettings extends FormRequest
|
|||
'labels_pagewidth' => 'numeric|nullable',
|
||||
'labels_pageheight' => 'numeric|nullable',
|
||||
'qr_text' => 'max:31|nullable',
|
||||
'label2_template' => [
|
||||
'required',
|
||||
Rule::in($names),
|
||||
],
|
||||
];
|
||||
}
|
||||
}
|
||||
|
|
|
@ -411,14 +411,14 @@ abstract class Label
|
|||
/**
|
||||
* Checks the template is internally valid
|
||||
*/
|
||||
public final function validate() {
|
||||
public final function validate() : void {
|
||||
$this->validateUnits();
|
||||
$this->validateSize();
|
||||
$this->validateMargins();
|
||||
$this->validateSupport();
|
||||
}
|
||||
|
||||
private function validateUnits() {
|
||||
private function validateUnits() : void {
|
||||
$validUnits = [ 'pt', 'mm', 'cm', 'in' ];
|
||||
$unit = $this->getUnit();
|
||||
if (!in_array(strtolower($unit), $validUnits)) {
|
||||
|
@ -430,7 +430,7 @@ abstract class Label
|
|||
}
|
||||
}
|
||||
|
||||
private function validateSize() {
|
||||
private function validateSize() : void {
|
||||
$width = $this->getWidth();
|
||||
if (!is_numeric($width) || is_string($width)) {
|
||||
throw new \UnexpectedValueException(trans('admin/labels/message.invalid_return_type', [
|
||||
|
@ -450,7 +450,7 @@ abstract class Label
|
|||
}
|
||||
}
|
||||
|
||||
private function validateMargins() {
|
||||
private function validateMargins() : void {
|
||||
$marginTop = $this->getMarginTop();
|
||||
if (!is_numeric($marginTop) || is_string($marginTop)) {
|
||||
throw new \UnexpectedValueException(trans('admin/labels/message.invalid_return_type', [
|
||||
|
@ -488,7 +488,7 @@ abstract class Label
|
|||
}
|
||||
}
|
||||
|
||||
private function validateSupport() {
|
||||
private function validateSupport() : void {
|
||||
$support1D = $this->getSupport1DBarcode();
|
||||
if (!is_bool($support1D)) {
|
||||
throw new \UnexpectedValueException(trans('admin/labels/message.invalid_return_type', [
|
||||
|
|
|
@ -626,6 +626,8 @@ class User extends SnipeModel implements AuthenticatableContract, AuthorizableCo
|
|||
$username = str_slug(substr($first_name, 0, 1).'.'.str_slug($last_name));
|
||||
} elseif ($format == 'lastname_firstinitial') {
|
||||
$username = str_slug($last_name).'_'.str_slug(substr($first_name, 0, 1));
|
||||
} elseif ($format == 'lastname.firstinitial') {
|
||||
$username = str_slug($last_name).'.'.str_slug(substr($first_name, 0, 1));
|
||||
} elseif ($format == 'firstnamelastname') {
|
||||
$username = str_slug($first_name).str_slug($last_name);
|
||||
} elseif ($format == 'firstnamelastinitial') {
|
||||
|
|
|
@ -7,6 +7,7 @@ use App\Models\Labels\Label as LabelModel;
|
|||
use App\Models\Labels\Sheet;
|
||||
use Illuminate\Contracts\View\View;
|
||||
use Illuminate\Support\Collection;
|
||||
use Illuminate\Support\Facades\Log;
|
||||
use Illuminate\Support\Facades\Storage;
|
||||
use Illuminate\Support\Traits\Macroable;
|
||||
use TCPDF;
|
||||
|
@ -38,7 +39,7 @@ class Label implements View
|
|||
$settings = $this->data->get('settings');
|
||||
$assets = $this->data->get('assets');
|
||||
$offset = $this->data->get('offset');
|
||||
$template = LabelModel::find($settings->label2_template);
|
||||
|
||||
|
||||
// If disabled, pass to legacy view
|
||||
if ((!$settings->label2_enable)) {
|
||||
|
@ -49,6 +50,12 @@ class Label implements View
|
|||
->with('count', $this->data->get('count'));
|
||||
}
|
||||
|
||||
$template = LabelModel::find($settings->label2_template);
|
||||
|
||||
if ($template === null) {
|
||||
return redirect()->route('settings.labels.index')->with('error', trans('admin/settings/message.labels.null_template'));
|
||||
}
|
||||
|
||||
$template->validate();
|
||||
|
||||
$pdf = new TCPDF(
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'crwdns1453:0crwdne1453:0',
|
||||
'ldap_basedn' => 'crwdns1454:0crwdne1454:0',
|
||||
'ldap_filter' => 'crwdns1455:0crwdne1455:0',
|
||||
'ldap_pw_sync' => 'crwdns1692:0crwdne1692:0',
|
||||
'ldap_pw_sync_help' => 'crwdns1693:0crwdne1693:0',
|
||||
'ldap_pw_sync' => 'crwdns12882:0crwdne12882:0',
|
||||
'ldap_pw_sync_help' => 'crwdns12884:0crwdne12884:0',
|
||||
'ldap_username_field' => 'crwdns1456:0crwdne1456:0',
|
||||
'ldap_lname_field' => 'crwdns1457:0crwdne1457:0',
|
||||
'ldap_fname_field' => 'crwdns1458:0crwdne1458:0',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'crwdns6469:0crwdne6469:0',
|
||||
'ldap_extension_warning' => 'crwdns6471:0crwdne6471:0',
|
||||
'ldap_ad' => 'crwdns6473:0crwdne6473:0',
|
||||
'ldap_test_label' => 'crwdns12892:0crwdne12892:0',
|
||||
'ldap_test_login' => 'crwdns12894:0crwdne12894:0',
|
||||
'ldap_username_placeholder' => 'crwdns12896:0crwdne12896:0',
|
||||
'ldap_password_placeholder' => 'crwdns12898:0crwdne12898:0',
|
||||
'employee_number' => 'crwdns6475:0crwdne6475:0',
|
||||
'create_admin_user' => 'crwdns6477:0crwdne6477:0',
|
||||
'create_admin_success' => 'crwdns6479:0crwdne6479:0',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'crwdns6729:0crwdne6729:0',
|
||||
'authentication_success' => 'crwdns6731:0crwdne6731:0'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'crwdns12900:0crwdne12900:0',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'crwdns11373:0crwdne11373:0',
|
||||
'success' => 'crwdns11841:0crwdne11841:0',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'crwdns11843:0crwdne11843:0',
|
||||
'error_misc' => 'crwdns11383:0crwdne11383:0',
|
||||
'webhook_fail' => 'crwdns12830:0crwdne12830:0',
|
||||
'webhook_channel_not_found' => 'crwdns12876:0crwdne12876:0'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'crwdns6115:0crwdne6115:0',
|
||||
'custom_report' => 'crwdns1139:0crwdne1139:0',
|
||||
'dashboard' => 'crwdns1202:0crwdne1202:0',
|
||||
'data_source' => 'crwdns12886:0crwdne12886:0',
|
||||
'days' => 'crwdns1917:0crwdne1917:0',
|
||||
'days_to_next_audit' => 'crwdns1918:0crwdne1918:0',
|
||||
'date' => 'crwdns1045:0crwdne1045:0',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'crwdns1995:0crwdne1995:0',
|
||||
'lastnamefirstinitial_format' => 'crwdns1999:0crwdne1999:0',
|
||||
'firstintial_dot_lastname_format' => 'crwdns5948:0crwdne5948:0',
|
||||
'lastname_dot_firstinitial_format' => 'crwdns12880:0crwdne12880:0',
|
||||
'firstname_lastname_display' => 'crwdns11779:0crwdne11779:0',
|
||||
'lastname_firstname_display' => 'crwdns11781:0crwdne11781:0',
|
||||
'name_display_format' => 'crwdns11783:0crwdne11783:0',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'crwdns1075:0crwdne1075:0',
|
||||
'notes' => 'crwdns1076:0crwdne1076:0',
|
||||
'note_added' => 'crwdns12858:0crwdne12858:0',
|
||||
'options' => 'crwdns12888:0crwdne12888:0',
|
||||
'preview' => 'crwdns12890:0crwdne12890:0',
|
||||
'add_note' => 'crwdns12860:0crwdne12860:0',
|
||||
'note_edited' => 'crwdns12862:0crwdne12862:0',
|
||||
'edit_note' => 'crwdns12864:0crwdne12864:0',
|
||||
|
@ -560,6 +564,7 @@ return [
|
|||
'consumables' => 'crwdns12144:0crwdne12144:0',
|
||||
'components' => 'crwdns12146:0crwdne12146:0',
|
||||
],
|
||||
|
||||
'more_info' => 'crwdns12288:0crwdne12288:0',
|
||||
'quickscan_bulk_help' => 'crwdns12290:0crwdne12290:0',
|
||||
'whoops' => 'crwdns12304:0crwdne12304:0',
|
||||
|
@ -576,4 +581,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'crwdns12872:0crwdne12872:0',
|
||||
'user_managed_passwords_allow' => 'crwdns12874:0crwdne12874:0',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'crwdns12878:0crwdne12878:0',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'LDAP-koppel wagwoord',
|
||||
'ldap_basedn' => 'Base Bind DN',
|
||||
'ldap_filter' => 'LDAP Filter',
|
||||
'ldap_pw_sync' => 'LDAP-wagwoordsynkronisering',
|
||||
'ldap_pw_sync_help' => 'Verwyder hierdie vinkje as u nie LDAP-wagwoorde wil laat sinkroniseer met plaaslike wagwoorde nie. As u hierdie opsie uitskakel, beteken dit dat u gebruikers dalk nie kan aanmeld as u LDAP-bediener om een of ander rede onbereikbaar is nie.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Gebruikernaam',
|
||||
'ldap_lname_field' => 'Van',
|
||||
'ldap_fname_field' => 'LDAP Voornaam',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Verwyder verwyderde rekords',
|
||||
'ldap_extension_warning' => 'It does not look like the LDAP extension is installed or enabled on this server. You can still save your settings, but you will need to enable the LDAP extension for PHP before LDAP syncing or login will work.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Employee Number',
|
||||
'create_admin_user' => 'Create a User ::',
|
||||
'create_admin_success' => 'Success! Your admin user has been added!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Testing LDAP Authentication...',
|
||||
'authentication_success' => 'User authenticated against LDAP successfully!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Sending :app test message...',
|
||||
'success' => 'Your :webhook_name Integration works!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'ERROR: 301/302 :endpoint returns a redirect. For security reasons, we don’t follow redirects. Please use the actual endpoint.',
|
||||
'error_misc' => 'Something went wrong. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Customize Report',
|
||||
'custom_report' => 'Aangepaste bateverslag',
|
||||
'dashboard' => 'Dashboard',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'dae',
|
||||
'days_to_next_audit' => 'Dae na Volgende Oudit',
|
||||
'date' => 'datum',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'First Name Last Name (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Last Name First Initial (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'First Name Last Name (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Last Name First Name (Smith Jane)',
|
||||
'name_display_format' => 'Name Display Format',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'Geen',
|
||||
'notes' => 'notas',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Consumable|:count Consumables',
|
||||
'components' => ':count Component|:count Components',
|
||||
],
|
||||
|
||||
'more_info' => 'Meer inligting',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'LDAP Bind Password',
|
||||
'ldap_basedn' => 'Base Bind DN',
|
||||
'ldap_filter' => 'LDAP Filter',
|
||||
'ldap_pw_sync' => 'LDAP Password Sync',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords synced with local passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Username Field',
|
||||
'ldap_lname_field' => 'Last Name',
|
||||
'ldap_fname_field' => 'LDAP First Name',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Purge Deleted Records',
|
||||
'ldap_extension_warning' => 'It does not look like the LDAP extension is installed or enabled on this server. You can still save your settings, but you will need to enable the LDAP extension for PHP before LDAP syncing or login will work.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Employee Number',
|
||||
'create_admin_user' => 'Create a User ::',
|
||||
'create_admin_success' => 'Success! Your admin user has been added!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Testing LDAP Authentication...',
|
||||
'authentication_success' => 'User authenticated against LDAP successfully!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Sending :app test message...',
|
||||
'success' => 'Your :webhook_name Integration works!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'ERROR: 301/302 :endpoint returns a redirect. For security reasons, we don’t follow redirects. Please use the actual endpoint.',
|
||||
'error_misc' => 'Something went wrong. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Customize Report',
|
||||
'custom_report' => 'Custom Asset Report',
|
||||
'dashboard' => 'Dashboard',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'days',
|
||||
'days_to_next_audit' => 'Days to Next Audit',
|
||||
'date' => 'Date',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'First Name Last Name (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Last Name First Initial (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'First Name Last Name (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Last Name First Name (Smith Jane)',
|
||||
'name_display_format' => 'Name Display Format',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'No',
|
||||
'notes' => 'Notes',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Consumable|:count Consumables',
|
||||
'components' => ':count Component|:count Components',
|
||||
],
|
||||
|
||||
'more_info' => 'More Info',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'لداب ربط كلمة المرور',
|
||||
'ldap_basedn' => 'قاعدة ربط دن',
|
||||
'ldap_filter' => 'فلتر لداب',
|
||||
'ldap_pw_sync' => 'مزامنة كلمة مرور لداب',
|
||||
'ldap_pw_sync_help' => 'ألغ تحديد هذا المربع إذا كنت لا ترغب في الاحتفاظ بكلمات مرور لداب التي تمت مزامنتها مع كلمات المرور المحلية. ويعني تعطيل هذا أن المستخدمين قد لا يتمكنون من تسجيل الدخول إذا تعذر الوصول إلى خادم لداب لسبب ما.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'حقل اسم المستخدم',
|
||||
'ldap_lname_field' => 'الكنية',
|
||||
'ldap_fname_field' => 'لداب الاسم الأول',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'تطهير السجلات المحذوفة',
|
||||
'ldap_extension_warning' => 'لا يبدو أن ملحق LDAP مثبت أو مفعّل على هذا الخادم. لا يزال بإمكانك حفظ الإعدادات الخاصة بك، ولكن ستحتاج إلى تمكين ملحق LDAP لـ PHP قبل أن تعمل مزامنة LDAP أو تسجيل الدخول.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'رقم الموظف',
|
||||
'create_admin_user' => 'إنشاء مستخدم ::',
|
||||
'create_admin_success' => 'نجاح! تم إضافة مستخدم المشرف الخاص بك!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'اختبار مصادقة LDAP...',
|
||||
'authentication_success' => 'تمت المصادقة على المستخدم ضد LDAP بنجاح!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'إرسال رسالة اختبار :app ...',
|
||||
'success' => 'يعمل تكامل :webhook_name الخاص بك!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'خطأ: 301/302 :endpoint يرجع إعادة توجيه. لأسباب أمنية، نحن لا نتابع إعادة التوجيه. الرجاء استخدام نقطة النهاية الفعلية.',
|
||||
'error_misc' => 'حدث خطأ ما. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'تخصيص التقرير',
|
||||
'custom_report' => 'تقرير مخصص للأصول',
|
||||
'dashboard' => 'لوحة القيادة',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'أيام',
|
||||
'days_to_next_audit' => 'أيام إلى التدقيق التالي',
|
||||
'date' => 'التاريخ',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'الاسم الأول الاسم الأخير (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'اللقب والحرف الاول من الاسم (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'الاسم الأخير الأول (jsmith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'الاسم الأول الاسم الأخير (جين سميث)',
|
||||
'lastname_firstname_display' => 'اسم العائلة الأول (ميث جاني)',
|
||||
'name_display_format' => 'تنسيق عرض الاسم',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'لا',
|
||||
'notes' => 'مُلاحظات',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count مستهلكة<unk> :count مستهلك',
|
||||
'components' => ':count مكون<unk> :count مكونات',
|
||||
],
|
||||
|
||||
'more_info' => 'المزيد من المعلومات',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'LDAP парола на потребител за връзка',
|
||||
'ldap_basedn' => 'Базов DN',
|
||||
'ldap_filter' => 'LDAP филтър',
|
||||
'ldap_pw_sync' => 'LADP Password SYNC',
|
||||
'ldap_pw_sync_help' => 'Премахнете отметката в тази клетка ако не желаете да запазите LDAP паролите синхронизирани с локални пароли. Деактивиране на това означава, че вашите потребители може да не успеят да влязат използвайки LDAP сървъри ако са недостижими по някаква причина.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Поле за потребителско име',
|
||||
'ldap_lname_field' => 'Фамилия',
|
||||
'ldap_fname_field' => 'LDAP собствено име',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Пречисти изтрити записи',
|
||||
'ldap_extension_warning' => 'Изглежда, че нямате инсталирани LDAP разширения или не са пуснати на сървъра. Вие можете все пак да запишите настройките, но ще трябва да включите LDAP разширенията за PHP преди да синхронизирате с LDAP, в противен случай няма да можете да се логнете.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Номер на служител',
|
||||
'create_admin_user' => 'Нов потребител ::',
|
||||
'create_admin_success' => 'Готово! Вашият админ потребител беше добавен!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Тест LDAP Автентификация...',
|
||||
'authentication_success' => 'Потребителска Автентификация към LDAP успешна!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Изпращане :app тест съобщение...',
|
||||
'success' => 'Вашата :webhook_name интеграция работи!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'Грешка 301/302 :endpoint върна пренасочване. От съображения за сигурност, ние не отваряме пренасочванията. Моля ползвайте действителната крайна точка.',
|
||||
'error_misc' => 'Възникна грешка. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Персонализиран отчет',
|
||||
'custom_report' => 'Потребителски справки за активи',
|
||||
'dashboard' => 'Табло',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'дни',
|
||||
'days_to_next_audit' => 'Дни до следващия одит',
|
||||
'date' => 'Дата',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Име Фамилия (jane.smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Фамилно име Инициал на собствено (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Първа буква от името и Фамилия (i.ivanov@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'Име Фамилия (Иван Иванов)',
|
||||
'lastname_firstname_display' => 'Фамилия Име (Иванов Иван)',
|
||||
'name_display_format' => 'Формат на показване на името',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'Не',
|
||||
'notes' => 'Бележки',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Консуматив|:count Консумативи',
|
||||
'components' => ':count Компонент|:count Компоненти',
|
||||
],
|
||||
|
||||
'more_info' => 'Повече информация',
|
||||
'quickscan_bulk_help' => 'Поставянето на отметка в това квадратче ще редактира записа на актива, за да отрази това ново местоположение. Оставянето му без отметка просто ще отбележи местоположението в журнала за проверка. Обърнете внимание, че ако този актив бъде извлечен, той няма да промени местоположението на лицето, актива или местоположението, към които е извлечен.',
|
||||
'whoops' => 'Упс!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'LDAP Bind Password',
|
||||
'ldap_basedn' => 'Base Bind DN',
|
||||
'ldap_filter' => 'LDAP Filter',
|
||||
'ldap_pw_sync' => 'LDAP Password Sync',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords synced with local passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Username Field',
|
||||
'ldap_lname_field' => 'Last Name',
|
||||
'ldap_fname_field' => 'LDAP First Name',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Purge Deleted Records',
|
||||
'ldap_extension_warning' => 'It does not look like the LDAP extension is installed or enabled on this server. You can still save your settings, but you will need to enable the LDAP extension for PHP before LDAP syncing or login will work.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Employee Number',
|
||||
'create_admin_user' => 'Create a User ::',
|
||||
'create_admin_success' => 'Success! Your admin user has been added!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Testing LDAP Authentication...',
|
||||
'authentication_success' => 'User authenticated against LDAP successfully!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Sending :app test message...',
|
||||
'success' => 'Your :webhook_name Integration works!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'ERROR: 301/302 :endpoint returns a redirect. For security reasons, we don’t follow redirects. Please use the actual endpoint.',
|
||||
'error_misc' => 'Something went wrong. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Customize Report',
|
||||
'custom_report' => 'Informe de Recursos Personalitzat',
|
||||
'dashboard' => 'Dashboard',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'days',
|
||||
'days_to_next_audit' => 'Days to Next Audit',
|
||||
'date' => 'Date',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'First Name Last Name (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Last Name First Initial (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'First Name Last Name (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Last Name First Name (Smith Jane)',
|
||||
'name_display_format' => 'Name Display Format',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'No',
|
||||
'notes' => 'Notes',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Consumable|:count Consumables',
|
||||
'components' => ':count Component|:count Components',
|
||||
],
|
||||
|
||||
'more_info' => 'More Info',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'LDAP Bind Password',
|
||||
'ldap_basedn' => 'Base Bind DN',
|
||||
'ldap_filter' => 'LDAP Filter',
|
||||
'ldap_pw_sync' => 'LDAP Password Sync',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords synced with local passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Username Field',
|
||||
'ldap_lname_field' => 'Last Name',
|
||||
'ldap_fname_field' => 'LDAP First Name',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Purge Deleted Records',
|
||||
'ldap_extension_warning' => 'It does not look like the LDAP extension is installed or enabled on this server. You can still save your settings, but you will need to enable the LDAP extension for PHP before LDAP syncing or login will work.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Employee Number',
|
||||
'create_admin_user' => 'Create a User ::',
|
||||
'create_admin_success' => 'Success! Your admin user has been added!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Testing LDAP Authentication...',
|
||||
'authentication_success' => 'User authenticated against LDAP successfully!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Sending :app test message...',
|
||||
'success' => 'Your :webhook_name Integration works!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'ERROR: 301/302 :endpoint returns a redirect. For security reasons, we don’t follow redirects. Please use the actual endpoint.',
|
||||
'error_misc' => 'Something went wrong. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Customize Report',
|
||||
'custom_report' => 'Custom Asset Report',
|
||||
'dashboard' => 'Dashboard',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'days',
|
||||
'days_to_next_audit' => 'Days to Next Audit',
|
||||
'date' => 'Date',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'First Name Last Name (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Last Name First Initial (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'First Name Last Name (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Last Name First Name (Smith Jane)',
|
||||
'name_display_format' => 'Name Display Format',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'No',
|
||||
'notes' => 'Notes',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Consumable|:count Consumables',
|
||||
'components' => ':count Component|:count Components',
|
||||
],
|
||||
|
||||
'more_info' => 'More Info',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'LDAP heslo připojení',
|
||||
'ldap_basedn' => 'Základní svázání DN',
|
||||
'ldap_filter' => 'LDAP filtr',
|
||||
'ldap_pw_sync' => 'LDAP heslo synchronizace',
|
||||
'ldap_pw_sync_help' => 'Zrušte zaškrtnutí tohoto políčka, pokud si nepřejete zachovat hesla LDAP synchronizovaná s lokálními hesly. Pokud to zakážete znamená to, že se uživatelé nemusí přihlásit, pokud je váš LDAP server z nějakého důvodu nedostupný.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Pole uživatelského jména',
|
||||
'ldap_lname_field' => 'Příjmení',
|
||||
'ldap_fname_field' => 'LDAP jméno',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Vymazat smazané záznamy',
|
||||
'ldap_extension_warning' => 'Nevypadá to, že LDAP rozšíření je nainstalováno nebo povoleno na tomto serveru. Stále můžete uložit vaše nastavení, ale budete muset povolit LDAP rozšíření pro PHP, než bude fungovat LDAP synchronizace nebo přihlášení.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Osobní číslo',
|
||||
'create_admin_user' => 'Vytvořit uživatele ::',
|
||||
'create_admin_success' => 'Úspěch! Administrátorský účet byl přidán!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Testování LDAP ověření...',
|
||||
'authentication_success' => 'Uživatel byl úspěšně ověřen přes LDAP!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Odesílání testovací zprávy :app...',
|
||||
'success' => 'Vaše integrace :webhook_name funguje!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'CHYBA: 301/302 :endpoint vrací přesměrování. Z bezpečnostních důvodů nesledujeme přesměrování. Použijte prosím skutečný koncový bod.',
|
||||
'error_misc' => 'Něco se nepovedlo.',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Přizpůsobit report',
|
||||
'custom_report' => 'Vlastní report majetku',
|
||||
'dashboard' => 'Nástěnka',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'dnů',
|
||||
'days_to_next_audit' => 'Dny k dalšímu auditu',
|
||||
'date' => 'Datum',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Jméno Příjmení (jan_novak@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Příjmení první písmeno ze jména (novakj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Iniciál Príjmení (j.novak@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'Jméno příjmení (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Příjmení (Smith Jane)',
|
||||
'name_display_format' => 'Formát zobrazení jména',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'Ne',
|
||||
'notes' => 'Poznámky',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Spotřební materiál|:count Spotřební materiál',
|
||||
'components' => ':count komponenta|:count komponenty',
|
||||
],
|
||||
|
||||
'more_info' => 'Více informací',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'Cyfrinair i cysylltu trwy LDAP',
|
||||
'ldap_basedn' => 'DN Cyswllt Sylfaenol',
|
||||
'ldap_filter' => 'Hidlydd LDAP',
|
||||
'ldap_pw_sync' => 'Sync cyfrinair LDAP',
|
||||
'ldap_pw_sync_help' => 'Tynnwch y tic o\'r focs yma os nad ydych am cadw cyfrineiriau LDAP mewn sync a cyfrineiriau lleol. Mae an-alluogi hyn yn feddwl ni ellith defnyddywr mewngofnodi os oes problem hefo\'r server LDAP.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Maes Enw Defnyddiwr',
|
||||
'ldap_lname_field' => 'Enw Olaf',
|
||||
'ldap_fname_field' => 'Enw Cyntaf LDAP',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Clirio cofnodion sydd wedi\'i dileu',
|
||||
'ldap_extension_warning' => 'It does not look like the LDAP extension is installed or enabled on this server. You can still save your settings, but you will need to enable the LDAP extension for PHP before LDAP syncing or login will work.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Employee Number',
|
||||
'create_admin_user' => 'Create a User ::',
|
||||
'create_admin_success' => 'Success! Your admin user has been added!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Testing LDAP Authentication...',
|
||||
'authentication_success' => 'User authenticated against LDAP successfully!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Sending :app test message...',
|
||||
'success' => 'Your :webhook_name Integration works!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'ERROR: 301/302 :endpoint returns a redirect. For security reasons, we don’t follow redirects. Please use the actual endpoint.',
|
||||
'error_misc' => 'Something went wrong. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Customize Report',
|
||||
'custom_report' => 'Adroddiad Asedau Addasedig',
|
||||
'dashboard' => 'Dashfwrdd',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'dyddiau',
|
||||
'days_to_next_audit' => 'Dyddiau tan yr awdit nesaf',
|
||||
'date' => 'Dyddiad',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Enw Cyntaf Enw Olaf (jane.smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Enw Olaf Llythyren Cyntaf Enw Cyntaf (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Llythyren Cyntaf Enw Cyntaf Cyfenw (jsmith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'First Name Last Name (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Last Name First Name (Smith Jane)',
|
||||
'name_display_format' => 'Name Display Format',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'Na',
|
||||
'notes' => 'Nodiadau',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Consumable|:count Consumables',
|
||||
'components' => ':count Component|:count Components',
|
||||
],
|
||||
|
||||
'more_info' => 'Mwy o wybodaeth',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'LDAP-bindingsadgangskode',
|
||||
'ldap_basedn' => 'Base Bind DN',
|
||||
'ldap_filter' => 'LDAP-filter',
|
||||
'ldap_pw_sync' => 'LDAP Password Sync',
|
||||
'ldap_pw_sync_help' => 'Fjern markeringen i dette felt, hvis du ikke vil beholde LDAP-adgangskoder synkroniseret med lokale adgangskoder. Deaktivering dette betyder, at dine brugere muligvis ikke kan logge ind, hvis din LDAP-server ikke er tilgængelig af en eller anden grund.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Brugernavn felt',
|
||||
'ldap_lname_field' => 'Efternavn',
|
||||
'ldap_fname_field' => 'LDAP fornavn',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Ryd slettet poster',
|
||||
'ldap_extension_warning' => 'Det ser ikke ud som om LDAP- udvidelsen er installeret eller aktiveret på denne server. Du kan stadig gemme dine indstillinger, men du bliver nødt til at aktivere LDAP-udvidelsen til PHP, før LDAP-synkronisering eller login vil virke.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Medarbejdernummer',
|
||||
'create_admin_user' => 'Opret en bruger ::',
|
||||
'create_admin_success' => 'Succes! Din admin bruger er blevet tilføjet!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Test LDAP Autentificering...',
|
||||
'authentication_success' => 'Bruger godkendt mod LDAP!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Sender :app test besked...',
|
||||
'success' => 'Dine :webhook_name Integration virker!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'FEJL: 301/302: endpoint returnerer en omdirigering. Af sikkerhedsmæssige årsager følger vi ikke omdirigeringer. Brug det faktiske slutpunkt.',
|
||||
'error_misc' => 'Noget gik galt. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Tilpas rapport',
|
||||
'custom_report' => 'Tilpasset Aktiv Rapport',
|
||||
'dashboard' => 'Oversigtspanel',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'dage',
|
||||
'days_to_next_audit' => 'Dage til næste revision',
|
||||
'date' => 'Dato',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Fornavn Efternavn (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Efternavn Første initial (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Første bogstav i fornavn efternavn (jsmith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'Fornavn Efternavn (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Efternavn Fornavn (Smith Jane)',
|
||||
'name_display_format' => 'Navn Visningsformat',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'Nej',
|
||||
'notes' => 'Noter',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Forbrugsparti:count Forbrugsvarer',
|
||||
'components' => ':count Komponent:count Komponenter',
|
||||
],
|
||||
|
||||
'more_info' => 'Mere Info',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -50,7 +50,7 @@ return array(
|
|||
|
||||
'checkin' => array(
|
||||
'error' => 'Lizenz wurde nicht zurückgenommen, bitte versuchen Sie es erneut.',
|
||||
'not_reassignable' => 'License not reassignable',
|
||||
'not_reassignable' => 'Lizenz nicht neu zuweisbar',
|
||||
'success' => 'Die Lizenz wurde erfolgreich zurückgenommen'
|
||||
),
|
||||
|
||||
|
|
|
@ -14,9 +14,9 @@ return [
|
|||
'user_country' => 'Land des Benutzers',
|
||||
'user_zip' => 'Postleitzahl des Benutzers'
|
||||
],
|
||||
'open_saved_template' => 'Open Saved Template',
|
||||
'save_template' => 'Save Template',
|
||||
'select_a_template' => 'Select a Template',
|
||||
'template_name' => 'Template Name',
|
||||
'update_template' => 'Update Template',
|
||||
'open_saved_template' => 'Gespeicherte Vorlage öffnen',
|
||||
'save_template' => 'Vorlage speichern',
|
||||
'select_a_template' => 'Wählen Sie eine Vorlage aus',
|
||||
'template_name' => 'Vorlagenname',
|
||||
'update_template' => 'Vorlage aktualisieren',
|
||||
];
|
||||
|
|
|
@ -1,16 +1,16 @@
|
|||
<?php
|
||||
|
||||
return [
|
||||
'about_templates' => 'About Saved Templates',
|
||||
'saving_templates_description' => 'Select your options, then enter the name of your template in the box above and click the \'Save Template\' button. Use the dropdown to select a previously saved template.',
|
||||
'about_templates' => 'Über gespeicherte Vorlagen',
|
||||
'saving_templates_description' => 'Wählen Sie Ihre Optionen aus, geben Sie dann den Namen Ihrer Vorlage in das Feld oben ein und klicken Sie auf die Schaltfläche „Vorlage speichern“. Verwenden Sie das Dropdown-Menü, um eine zuvor gespeicherte Vorlage auszuwählen.',
|
||||
'create' => [
|
||||
'success' => 'Template saved successfully',
|
||||
'success' => 'Vorlage erfolgreich gespeichert',
|
||||
],
|
||||
'update' => [
|
||||
'success' => 'Template updated successfully',
|
||||
'success' => 'Vorlage erfolgreich aktualisiert',
|
||||
],
|
||||
'delete' => [
|
||||
'success' => 'Template deleted',
|
||||
'no_delete_permission' => 'Template does not exist or you do not have permission to delete it.',
|
||||
'success' => 'Vorlage gelöscht',
|
||||
'no_delete_permission' => 'Die Vorlage existiert nicht oder Sie sind nicht berechtigt, sie zu löschen.',
|
||||
],
|
||||
];
|
||||
|
|
|
@ -55,7 +55,7 @@ return [
|
|||
'display_asset_name' => 'Zeige Assetname an',
|
||||
'display_checkout_date' => 'Zeige Herausgabedatum',
|
||||
'display_eol' => 'Zeige EOL in der Tabellenansicht',
|
||||
'display_qr' => 'Zeige 2D Barcode',
|
||||
'display_qr' => '2D-Barcode anzeigen',
|
||||
'display_alt_barcode' => 'Zeige 1D Barcode an',
|
||||
'email_logo' => 'E-Mail-Logo',
|
||||
'barcode_type' => '2D Barcode Typ',
|
||||
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'LDAP Bind Passwort',
|
||||
'ldap_basedn' => 'Basis Bind DN',
|
||||
'ldap_filter' => 'LDAP Filter',
|
||||
'ldap_pw_sync' => 'LDAP Passwörter synchronisieren',
|
||||
'ldap_pw_sync_help' => 'Deaktivieren Sie diese Option, wenn Sie nicht möchten, dass LDAP-Passwörter mit lokalen Passwörtern synchronisiert werden. Wenn Sie dies deaktivieren, kann es sein, dass Benutzer sich möglicherweise nicht anmelden können falls der LDAP-Server aus irgendeinem Grund nicht erreichbar ist.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Benutzername',
|
||||
'ldap_lname_field' => 'Nachname',
|
||||
'ldap_fname_field' => 'LDAP Vorname',
|
||||
|
@ -326,10 +326,14 @@ return [
|
|||
'asset_tags_help' => 'Inkrementieren und Präfixe',
|
||||
'labels' => 'Etiketten',
|
||||
'labels_title' => 'Etiketten-Einstellungen aktualisieren',
|
||||
'labels_help' => 'Barcodes & label settings',
|
||||
'labels_help' => 'Barcodes & Etiketteneinstellungen',
|
||||
'purge_help' => 'Gelöschte Einträge bereinigen',
|
||||
'ldap_extension_warning' => 'Es sieht nicht so aus, als ob die LDAP-Erweiterung auf diesem Server installiert oder aktiviert ist. Sie können Ihre Einstellungen trotzdem speichern, aber Sie müssen die LDAP-Erweiterung für PHP aktivieren, bevor die LDAP-Synchronisierung oder der Login funktioniert.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Mitarbeiternummer',
|
||||
'create_admin_user' => 'Benutzer erstellen ::',
|
||||
'create_admin_success' => 'Erfolgreich! Ihr Admin-Benutzer wurde hinzugefügt!',
|
||||
|
@ -360,9 +364,9 @@ return [
|
|||
'label2_fields_help' => 'Felder können in der linken Spalte hinzugefügt, entfernt und neu sortiert werden. In jedem Feld können mehrere Optionen für Label und Datenquelle in der rechten Spalte hinzugefügt, entfernt und neu angeordnet werden.',
|
||||
'help_asterisk_bold' => 'Der eingegebene Text <code>**text**</code> wird in Fettschrift angezeigt',
|
||||
'help_blank_to_use' => 'Leer lassen, um den Wert von <code>:setting_name</code> zu verwenden',
|
||||
'help_default_will_use' => '<code>:default</code> will use the value from <code>:setting_name</code>. <br>Note that the value of the barcodes must comply with the respective barcode spec in order to be successfully generated. Please see <a href="https://snipe-it.readme.io/docs/barcodes">the documentation <i class="fa fa-external-link"></i></a> for more details. ',
|
||||
'asset_id' => 'Asset ID',
|
||||
'data' => 'Data',
|
||||
'help_default_will_use' => '<code>:default</code> verwendet den Wert aus <code>:setting_name</code>. <br>Beachten Sie, dass der Wert der Barcodes der jeweiligen Barcode-Spezifikation entsprechen muss, damit sie erfolgreich generiert werden können. Weitere Einzelheiten finden Sie in der <a href="https://snipe-it.readme.io/docs/barcodes">Dokumentation <i class="fa fa-external-link"></i></a>. ',
|
||||
'asset_id' => 'Asset-ID',
|
||||
'data' => 'Daten',
|
||||
'default' => 'Standard',
|
||||
'none' => 'Nichts',
|
||||
'google_callback_help' => 'Dies sollte als Callback-URL in den Google OAuth App-Einstellungen in deinem Unternehmen eingegeben werden's <strong><a href="https://console.cloud.google.com/" target="_blank">Google Developer Konsole <i class="fa fa-external-link" aria-hidden="true"></i></a></strong>.',
|
||||
|
@ -387,13 +391,13 @@ return [
|
|||
|
||||
/* Keywords for settings overview help */
|
||||
'keywords' => [
|
||||
'brand' => 'Fußzeile, Logo, Druck, Theme, Skin, Header, Farben, Farbe, CSS',
|
||||
'general_settings' => 'Firmenunterstützung, Unterschrift, Akzeptanz, E-Mail-Format, Benutzernamenformat, Bilder, pro Seite, Vorschaubilder, EULA, Gravatar, TOS, Dashboard, Privatsphäre',
|
||||
'brand' => 'Fußzeile, Logo, Drucken, Thema, Oberflächendesign, Header, Farben, Farbe, CSS',
|
||||
'general_settings' => 'Firmensupport, Unterschrift, Akzeptanz, E-Mail-Format, Benutzernamenformat, Bilder, pro Seite, Miniaturansicht, EULA, Gravatar, Nutzungsbedingungen, Dashboard, Datenschutz',
|
||||
'groups' => 'Berechtigungen, Berechtigungsgruppen, Autorisierung',
|
||||
'labels' => 'labels, barcodes, barcode, sheets, print, upc, qr, 1d, 2d',
|
||||
'localization' => 'Lokalisierung, Währung, lokal, Lokal, Zeitzone, International, Internationalisierung, Sprache, Sprachen, Übersetzung',
|
||||
'php_overview' => 'php Info, System, Info',
|
||||
'purge' => 'Endgültig löschen',
|
||||
'labels' => 'Etiketten, Barcodes, Strichcode, Tabellen, Druck, UPC, QR, 1D, 2D',
|
||||
'localization' => 'Lokalisierung, Währung, lokal, Sprache, Zeitzone, Zeitzone, international, Internationalisierung, Sprache, Sprachen, Übersetzung',
|
||||
'php_overview' => 'PHP-Info, System, Info',
|
||||
'purge' => 'endgültig löschen',
|
||||
'security' => 'Passwort, Passwörter, Anforderungen, Zwei-Faktor, Zwei-Faktor, übliche Passwörter, Remote-Login, Logout, Authentifizierung',
|
||||
],
|
||||
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'LDAP-Authentifizierung wird getestet...',
|
||||
'authentication_success' => 'Benutzer wurde erfolgreich gegen LDAP authentifiziert!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => ':app Testnachricht wird gesendet...',
|
||||
'success' => 'Ihre :webhook_name Integration funktioniert!',
|
||||
|
@ -45,6 +48,7 @@ return [
|
|||
'error' => 'Etwas ist schief gelaufen. :app antwortete mit: :error_message',
|
||||
'error_redirect' => 'FEHLER: 301/302 :endpoint gibt eine Umleitung zurück. Aus Sicherheitsgründen folgen wir keinen Umleitungen. Bitte verwenden Sie den aktuellen Endpunkt.',
|
||||
'error_misc' => 'Etwas ist schiefgelaufen. :( ',
|
||||
'webhook_fail' => '',
|
||||
'webhook_fail' => ' Webhook-Benachrichtigung fehlgeschlagen: Überprüfen Sie, ob die URL noch gültig ist.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Bericht anpassen',
|
||||
'custom_report' => 'Benutzerdefinierter Asset-Bericht',
|
||||
'dashboard' => 'Dashboard',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'Tage',
|
||||
'days_to_next_audit' => 'Tage bis zur nächsten Prüfung',
|
||||
'date' => 'Datum',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Vorname_Nachname (erika_mustermann@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Nachname & Initiale des Vornamens (mustere@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Initiale des Vornamen.Nachname (e.mustermann@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'Vorname Nachname (Max Mustermann)',
|
||||
'lastname_firstname_display' => 'Nachname Vorname (Mustermann Max)',
|
||||
'name_display_format' => 'Name Anzeigeformat',
|
||||
|
@ -216,12 +218,14 @@ return [
|
|||
'no_results' => 'Keine Treffer.',
|
||||
'no' => 'Nein',
|
||||
'notes' => 'Notizen',
|
||||
'note_added' => 'Note Added',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
'note_deleted' => 'Note Deleted',
|
||||
'delete_note' => 'Delete Note',
|
||||
'note_added' => 'Notiz hinzugefügt',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Notiz hinzufügen',
|
||||
'note_edited' => 'Notiz bearbeitet',
|
||||
'edit_note' => 'Notiz bearbeiten',
|
||||
'note_deleted' => 'Notiz gelöscht',
|
||||
'delete_note' => 'Notiz löschen',
|
||||
'order_number' => 'Bestellnummer',
|
||||
'only_deleted' => 'Nur gelöschte Gegenstände',
|
||||
'page_menu' => 'Zeige _MENU_ Einträge',
|
||||
|
@ -308,7 +312,7 @@ return [
|
|||
'username_format' => 'Format der Benutzernamen',
|
||||
'username' => 'Benutzername',
|
||||
'update' => 'Aktualisieren',
|
||||
'updating_item' => 'Updating :item',
|
||||
'updating_item' => ':item wird aktualisiert',
|
||||
'upload_filetypes_help' => 'Erlaubte Dateitypen sind png, gif, jpg, jpeg, doc, docx, pdf, xls, xlsx, txt, lic, xml, zip, rtf und rar. Maximale Uploadgröße beträgt :size.',
|
||||
'uploaded' => 'Hochgeladen',
|
||||
'user' => 'Benutzer',
|
||||
|
@ -369,7 +373,7 @@ return [
|
|||
'expected_checkin' => 'Erwartetes Rückgabedatum',
|
||||
'reminder_checked_out_items' => 'Dies ist eine Erinnerung an die Artikel, die gerade an Sie herausgegeben sind. Wenn Sie der Meinung sind, dass die Angaben falsch sind (fehlender Artikel oder Artikel, den Sie nie erhalten haben), senden Sie bitte eine E-Mail an :reply_to_name unter :reply_to_address.',
|
||||
'changed' => 'Geändert',
|
||||
'to' => 'An',
|
||||
'to' => 'bis',
|
||||
'report_fields_info' => '<p>Wählen Sie die Felder aus, die Sie in Ihren benutzerdefinierten Bericht einfügen möchten, und klicken Sie auf Generieren. Die Datei (custom-asset-report-YYYY-mm-dd.csv) wird automatisch heruntergeladen und Sie können sie in Excel öffnen.</p>
|
||||
<p>Wenn Sie nur bestimmte Artikel exportieren möchten, verwenden Sie die folgenden Optionen, um Ihre Ergebnisse zu verfeinern.</p>',
|
||||
'range' => 'Bereich',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Verbrauchsmaterial|:count Verbrauchsmaterialien',
|
||||
'components' => ':count Komponente|:count Komponenten',
|
||||
],
|
||||
|
||||
'more_info' => 'Mehr Informationen',
|
||||
'quickscan_bulk_help' => 'Wenn Sie dieses Kontrollkästchen aktivieren, wird der Asset-Datensatz so bearbeitet, dass dieser neue Standort angezeigt wird. Wenn Sie es nicht aktivieren, wird der Standort einfach im Prüfprotokoll vermerkt. Beachten Sie, dass sich der Standort der Person, des Assets oder des Standorts, an den es ausgecheckt wurde, nicht ändert, wenn dieses Asset ausgecheckt wird.',
|
||||
'whoops' => 'Hoppla!',
|
||||
|
@ -572,9 +577,14 @@ return [
|
|||
'label' => 'Label',
|
||||
'import_asset_tag_exists' => 'Ein Asset mit dem Asset-Tag :asset_tag ist bereits vorhanden und es wurde keine Aktualisierung angefordert. Es wurden keine Änderungen vorgenommen.',
|
||||
'countries_manually_entered_help' => 'Werte mit einem Sternchen (*) wurden manuell eingegeben und stimmen nicht mit vorhandenen Dropdown-Werten nach ISO 3166 überein',
|
||||
'accessories_assigned' => 'Assigned Accessories',
|
||||
'user_managed_passwords' => 'Password Management',
|
||||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
'accessories_assigned' => 'Zugewiesenes Zubehör',
|
||||
'user_managed_passwords' => 'Passwortverwaltung',
|
||||
'user_managed_passwords_disallow' => 'Benutzern die Verwaltung ihrer eigenen Passwörter verbieten',
|
||||
'user_managed_passwords_allow' => 'Benutzern erlauben, ihre eigenen Passwörter zu verwalten',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -50,7 +50,7 @@ return array(
|
|||
|
||||
'checkin' => array(
|
||||
'error' => 'Lizenz wurde nicht zurückgenommen, bitte versuche es erneut.',
|
||||
'not_reassignable' => 'License not reassignable',
|
||||
'not_reassignable' => 'Lizenz nicht neu zuweisbar',
|
||||
'success' => 'Die Lizenz wurde erfolgreich zurückgenommen'
|
||||
),
|
||||
|
||||
|
|
|
@ -14,9 +14,9 @@ return [
|
|||
'user_country' => 'Benutzerland',
|
||||
'user_zip' => 'Benutzer PLZ'
|
||||
],
|
||||
'open_saved_template' => 'Open Saved Template',
|
||||
'save_template' => 'Save Template',
|
||||
'select_a_template' => 'Select a Template',
|
||||
'template_name' => 'Template Name',
|
||||
'update_template' => 'Update Template',
|
||||
'open_saved_template' => 'Gespeicherte Vorlage öffnen',
|
||||
'save_template' => 'Vorlage speichern',
|
||||
'select_a_template' => 'Wählen Sie eine Vorlage aus',
|
||||
'template_name' => 'Vorlagenname',
|
||||
'update_template' => 'Vorlage aktualisieren',
|
||||
];
|
||||
|
|
|
@ -1,16 +1,16 @@
|
|||
<?php
|
||||
|
||||
return [
|
||||
'about_templates' => 'About Saved Templates',
|
||||
'saving_templates_description' => 'Select your options, then enter the name of your template in the box above and click the \'Save Template\' button. Use the dropdown to select a previously saved template.',
|
||||
'about_templates' => 'Über gespeicherte Vorlagen',
|
||||
'saving_templates_description' => 'Wählen Sie Ihre Optionen aus, geben Sie dann den Namen Ihrer Vorlage in das Feld oben ein und klicken Sie auf die Schaltfläche „Vorlage speichern“. Verwenden Sie das Dropdown-Menü, um eine zuvor gespeicherte Vorlage auszuwählen.',
|
||||
'create' => [
|
||||
'success' => 'Template saved successfully',
|
||||
'success' => 'Vorlage erfolgreich gespeichert',
|
||||
],
|
||||
'update' => [
|
||||
'success' => 'Template updated successfully',
|
||||
'success' => 'Vorlage erfolgreich aktualisiert',
|
||||
],
|
||||
'delete' => [
|
||||
'success' => 'Template deleted',
|
||||
'no_delete_permission' => 'Template does not exist or you do not have permission to delete it.',
|
||||
'success' => 'Vorlage gelöscht',
|
||||
'no_delete_permission' => 'Die Vorlage existiert nicht oder Sie sind nicht berechtigt, sie zu löschen.',
|
||||
],
|
||||
];
|
||||
|
|
|
@ -55,7 +55,7 @@ return [
|
|||
'display_asset_name' => 'Asset-Name anzeigen',
|
||||
'display_checkout_date' => 'Checkout-Datum anzeigen',
|
||||
'display_eol' => 'EOL in Tabellenansicht anzeigen',
|
||||
'display_qr' => 'Zeige 2D Barcode',
|
||||
'display_qr' => '2D-Barcode anzeigen',
|
||||
'display_alt_barcode' => '1D Barcode anzeigen',
|
||||
'email_logo' => 'E-Mail-Logo',
|
||||
'barcode_type' => '2D Barcode Typ',
|
||||
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'LDAP Bind Passwort',
|
||||
'ldap_basedn' => 'Basis Bind DN',
|
||||
'ldap_filter' => 'LDAP Filter',
|
||||
'ldap_pw_sync' => 'LDAP-Passwort-Sync',
|
||||
'ldap_pw_sync_help' => 'Deaktiviere diese Option, wenn du LDAP-Passwörter nicht mit lokalen Passwörtern synchronisieren möchtest. Wenn du diese Option deaktivierst, können sich deine Benutzer möglicherweise nicht anmelden, wenn dein LDAP-Server aus irgendeinem Grund nicht erreichbar ist.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Benutzernamen Feld',
|
||||
'ldap_lname_field' => 'Nachname',
|
||||
'ldap_fname_field' => 'LDAP Vorname',
|
||||
|
@ -326,10 +326,14 @@ return [
|
|||
'asset_tags_help' => 'Inkrementieren und Präfixe',
|
||||
'labels' => 'Etiketten',
|
||||
'labels_title' => 'Etiketten-Einstellungen aktualisieren',
|
||||
'labels_help' => 'Barcodes & label settings',
|
||||
'labels_help' => 'Barcodes & Etiketteneinstellungen',
|
||||
'purge_help' => 'Gelöschte Einträge bereinigen',
|
||||
'ldap_extension_warning' => 'Es sieht nicht so aus, als ob die LDAP-Erweiterung auf diesem Server installiert oder aktiviert ist. Du kannst deine Einstellungen trotzdem speichern, aber du musst die LDAP-Erweiterung für PHP aktivieren, bevor die LDAP-Synchronisierung oder der Login funktioniert.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Mitarbeiternummer',
|
||||
'create_admin_user' => 'Benutzer erstellen ::',
|
||||
'create_admin_success' => 'Erfolgreich! Ihr Admin-Benutzer wurde hinzugefügt!',
|
||||
|
@ -360,9 +364,9 @@ return [
|
|||
'label2_fields_help' => 'Felder können in der linken Spalte hinzugefügt, entfernt und neu sortiert werden. In jedem Feld können mehrere Optionen für Label und Datenquelle in der rechten Spalte hinzugefügt, entfernt und neu angeordnet werden.',
|
||||
'help_asterisk_bold' => 'Der eingegebene Text <code>**text**</code> wird in Fettschrift angezeigt',
|
||||
'help_blank_to_use' => 'Leer lassen, um den Wert von <code>:setting_name</code> zu verwenden',
|
||||
'help_default_will_use' => '<code>:default</code> will use the value from <code>:setting_name</code>. <br>Note that the value of the barcodes must comply with the respective barcode spec in order to be successfully generated. Please see <a href="https://snipe-it.readme.io/docs/barcodes">the documentation <i class="fa fa-external-link"></i></a> for more details. ',
|
||||
'asset_id' => 'Asset ID',
|
||||
'data' => 'Data',
|
||||
'help_default_will_use' => '<code>:default</code> verwendet den Wert aus <code>:setting_name</code>. <br>Beachten Sie, dass der Wert der Barcodes der jeweiligen Barcode-Spezifikation entsprechen muss, damit sie erfolgreich generiert werden können. Weitere Einzelheiten finden Sie in der <a href="https://snipe-it.readme.io/docs/barcodes">Dokumentation <i class="fa fa-external-link"></i></a>. ',
|
||||
'asset_id' => 'Asset-ID',
|
||||
'data' => 'Daten',
|
||||
'default' => 'Standard',
|
||||
'none' => 'Nichts',
|
||||
'google_callback_help' => 'Dies sollte als Callback-URL in den Google OAuth App-Einstellungen in deinem Unternehmen eingegeben werden's <strong><a href="https://console.cloud.google.com/" target="_blank">Google Developer Konsole <i class="fa fa-external-link" aria-hidden="true"></i></a></strong>.',
|
||||
|
@ -390,7 +394,7 @@ return [
|
|||
'brand' => 'Fußzeile, Logo, Druck, Thema, Skin, Header, Farben, Farbe, CSS',
|
||||
'general_settings' => 'firmenunterstützung, Unterschrift, Akzeptanz, E-Mail-Format, Benutzername Format, Bilder, pro Seite, Vorschaubilder, eula, gravatar, tos, Dashboard, Privatsphäre',
|
||||
'groups' => 'berechtigungen, Berechtigungsgruppen, Autorisierung',
|
||||
'labels' => 'labels, barcodes, barcode, sheets, print, upc, qr, 1d, 2d',
|
||||
'labels' => 'Etiketten, Barcodes, Strichcode, Tabellen, Druck, UPC, QR, 1D, 2D',
|
||||
'localization' => 'lokalisierung, Währung, lokal, Lokal, Zeitzone, International, Internationalisierung, Sprache, Sprachen, Übersetzung',
|
||||
'php_overview' => 'phpinfo, System, Info',
|
||||
'purge' => 'Endgültig löschen',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'LDAP-Authentifizierung wird getestet...',
|
||||
'authentication_success' => 'Benutzer wurde erfolgreich gegen LDAP authentifiziert!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => ':app Testnachricht wird gesendet ...',
|
||||
'success' => 'Deine :webhook_name Integration funktioniert!',
|
||||
|
@ -45,6 +48,7 @@ return [
|
|||
'error' => 'Etwas ist schiefgelaufen. :app antwortete mit: :error_message',
|
||||
'error_redirect' => 'FEHLER: 301/302 :endpoint gibt eine Umleitung zurück. Aus Sicherheitsgründen folgen wir keine Umleitungen. Bitte verwende den aktuellen Endpunkt.',
|
||||
'error_misc' => 'Etwas ist schiefgelaufen! :( ',
|
||||
'webhook_fail' => '',
|
||||
'webhook_fail' => ' Webhook-Benachrichtigung fehlgeschlagen: Überprüfen Sie, ob die URL noch gültig ist.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Bericht anpassen',
|
||||
'custom_report' => 'Benutzerdefinierter Asset-Bericht',
|
||||
'dashboard' => 'Dashboard',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'Tage',
|
||||
'days_to_next_audit' => 'Tage bis zur nächsten Prüfung',
|
||||
'date' => 'Datum',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Vorname_Nachname (erika_mustermann@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Nachname & Initiale des Vornamens (mustere@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Initiale des Vornamen.Nachname (e.mustermann@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'Vorname Nachname (Max Mustermann)',
|
||||
'lastname_firstname_display' => 'Nachname Vorname (Mustermann Max)',
|
||||
'name_display_format' => 'Name Anzeigeformat',
|
||||
|
@ -216,12 +218,14 @@ return [
|
|||
'no_results' => 'Keine Treffer.',
|
||||
'no' => 'Nein',
|
||||
'notes' => 'Anmerkungen',
|
||||
'note_added' => 'Note Added',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
'note_deleted' => 'Note Deleted',
|
||||
'delete_note' => 'Delete Note',
|
||||
'note_added' => 'Notiz hinzugefügt',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Notiz hinzufügen',
|
||||
'note_edited' => 'Notiz bearbeitet',
|
||||
'edit_note' => 'Notiz bearbeiten',
|
||||
'note_deleted' => 'Notiz gelöscht',
|
||||
'delete_note' => 'Notiz löschen',
|
||||
'order_number' => 'Auftragsnummer',
|
||||
'only_deleted' => 'Nur gelöschte Assets',
|
||||
'page_menu' => 'Zeige _MENU_ Einträge',
|
||||
|
@ -308,7 +312,7 @@ return [
|
|||
'username_format' => 'Format der Benutzernamen',
|
||||
'username' => 'Benutzername',
|
||||
'update' => 'Aktualisieren',
|
||||
'updating_item' => 'Updating :item',
|
||||
'updating_item' => ':item wird aktualisiert',
|
||||
'upload_filetypes_help' => 'Erlaubte Dateitypen sind png, gif, jpg, jpeg, doc, docx, pdf, xls, xlsx, txt, lic, xml, zip, rtf und rar. Maximale Uploadgröße beträgt :size.',
|
||||
'uploaded' => 'Hochgeladen',
|
||||
'user' => 'Benutzer',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Verbrauchsmaterialien|:count Verbrauchsmaterialien',
|
||||
'components' => ':count Komponente|:count Komponenten',
|
||||
],
|
||||
|
||||
'more_info' => 'Mehr Info',
|
||||
'quickscan_bulk_help' => 'Wenn du dieses Kontrollkästchen aktivierst, wird der Asset-Datensatz so bearbeitet, dass der neue Standort angezeigt wird. Wenn du es nicht aktivierst, wird der Standort nur im Prüfprotokoll vermerkt. Beachte, dass sich der Standort der Person, des Assets oder des Standorts, an den es ausgecheckt wurde, nicht ändert, wenn dieses Asset ausgecheckt wird.',
|
||||
'whoops' => 'Hoppla!',
|
||||
|
@ -572,9 +577,14 @@ return [
|
|||
'label' => 'Label',
|
||||
'import_asset_tag_exists' => 'Ein Asset mit dem Asset-Tag :asset_tag ist bereits vorhanden und es wurde keine Aktualisierung angefordert. Es wurden keine Änderungen vorgenommen.',
|
||||
'countries_manually_entered_help' => 'Werte mit einem Sternchen (*) wurden manuell eingegeben und stimmen nicht mit vorhandenen Dropdown-Werten nach ISO 3166 überein',
|
||||
'accessories_assigned' => 'Assigned Accessories',
|
||||
'user_managed_passwords' => 'Password Management',
|
||||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
'accessories_assigned' => 'Zugewiesenes Zubehör',
|
||||
'user_managed_passwords' => 'Passwortverwaltung',
|
||||
'user_managed_passwords_disallow' => 'Benutzern die Verwaltung ihrer eigenen Passwörter verbieten',
|
||||
'user_managed_passwords_allow' => 'Benutzern erlauben, ihre eigenen Passwörter zu verwalten',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'Κωδικός πρόσβασης δεσμού LDAP',
|
||||
'ldap_basedn' => 'Δέσμευση βάσης DN',
|
||||
'ldap_filter' => 'LDAP Φίλτρο',
|
||||
'ldap_pw_sync' => 'LDAP συγχρονισμός κωδικού πρόσβασης',
|
||||
'ldap_pw_sync_help' => 'Καταργήστε την επιλογή αυτού του πλαισίου αν δεν θέλετε να διατηρείτε τους κωδικούς LDAP συγχρονισμένους με τοπικούς κωδικούς πρόσβασης. Απενεργοποιώντας αυτό σημαίνει ότι οι χρήστες σας ενδέχεται να μην μπορούν να συνδεθούν αν ο διακομιστής LDAP δεν είναι προσβάσιμος για κάποιο λόγο.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Πεδίο ονόματος χρήστη',
|
||||
'ldap_lname_field' => 'Επίθετο',
|
||||
'ldap_fname_field' => 'Όνομα LDAP',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Καθαρισμός αρχείων που έχουν διαγραφεί',
|
||||
'ldap_extension_warning' => 'Δεν φαίνεται ότι η επέκταση LDAP είναι εγκατεστημένη ή ενεργοποιημένη σε αυτόν τον διακομιστή. Μπορείτε ακόμα να αποθηκεύσετε τις ρυθμίσεις σας, αλλά θα πρέπει να ενεργοποιήσετε την επέκταση LDAP για PHP πριν το συγχρονισμό LDAP ή σύνδεση θα λειτουργήσει.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Αριθμός Υπάλληλου',
|
||||
'create_admin_user' => 'Δημιουργία χρήστη ::',
|
||||
'create_admin_success' => 'Επιτυχία! Ο διαχειριστής σας έχει προστεθεί!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Δοκιμή Πιστοποίησης Ldap...',
|
||||
'authentication_success' => 'Ο χρήστης πιστοποιήθηκε με επιτυχία στο LDAP!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Αποστολή δοκιμαστικού μηνύματος :app...',
|
||||
'success' => 'Το :webhook_name σας λειτουργεί!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'ΣΦΑΛΜΑ: 301/302:endpoint επιστρέφει μια ανακατεύθυνση. Για λόγους ασφαλείας, δεν ακολουθούμε ανακατευθύνσεις. Παρακαλούμε χρησιμοποιήστε το πραγματικό τελικό σημείο.',
|
||||
'error_misc' => 'Κάτι πήγε στραβά. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Προσαρμογή Αναφοράς',
|
||||
'custom_report' => 'Αναφορά προσαρμοσμένων στοιχείων ενεργητικού',
|
||||
'dashboard' => 'Πίνακας ελέγχου',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'ημέρες',
|
||||
'days_to_next_audit' => 'Ημέρες έως επόμενο έλεγχο',
|
||||
'date' => 'Ημερομηνία',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Όνομα και επίθετο (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Επίθετο και πρώτο γράμμα ονόματος (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Πρώτο Αρχικό Όνομα (j.smith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'Όνομα Επώνυμο (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Επώνυμο Όνομα (Smith Jane)',
|
||||
'name_display_format' => 'Μορφή Εμφάνισης Ονόματος',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => '\'Οχι',
|
||||
'notes' => 'Σημειώσεις',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Αναλώσιμα |:count Αναλώσιμα',
|
||||
'components' => ':count Εξαρτήματα |:count Εξαρτήματα',
|
||||
],
|
||||
|
||||
'more_info' => 'Περισσότερες Πληροφορίες',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'LDAP Bind Password',
|
||||
'ldap_basedn' => 'Base Bind DN',
|
||||
'ldap_filter' => 'LDAP Filter',
|
||||
'ldap_pw_sync' => 'LDAP Password Sync',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords synced with local passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Username Field',
|
||||
'ldap_lname_field' => 'Last Name',
|
||||
'ldap_fname_field' => 'LDAP First Name',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Purge Deleted Records',
|
||||
'ldap_extension_warning' => 'It does not look like the LDAP extension is installed or enabled on this server. You can still save your settings, but you will need to enable the LDAP extension for PHP before LDAP syncing or login will work.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Employee Number',
|
||||
'create_admin_user' => 'Create a User ::',
|
||||
'create_admin_success' => 'Success! Your admin user has been added!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Testing LDAP Authentication...',
|
||||
'authentication_success' => 'User authenticated against LDAP successfully!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Sending :app test message...',
|
||||
'success' => 'Your :webhook_name Integration works!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'ERROR: 301/302 :endpoint returns a redirect. For security reasons, we don’t follow redirects. Please use the actual endpoint.',
|
||||
'error_misc' => 'Something went wrong. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Customise Report',
|
||||
'custom_report' => 'Custom Asset Report',
|
||||
'dashboard' => 'Dashboard',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'days',
|
||||
'days_to_next_audit' => 'Days to Next Audit',
|
||||
'date' => 'Date',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'First Name Last Name (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Last Name First Initial (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'First Name Last Name (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Last Name First Name (Smith Jane)',
|
||||
'name_display_format' => 'Name Display Format',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'No',
|
||||
'notes' => 'Notes',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Consumable|:count Consumables',
|
||||
'components' => ':count Component|:count Components',
|
||||
],
|
||||
|
||||
'more_info' => 'More Info',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'LDAP Bind sandi',
|
||||
'ldap_basedn' => 'Mengikat Dasar DN',
|
||||
'ldap_filter' => 'Saring LDAP',
|
||||
'ldap_pw_sync' => 'Sinkronisasi kata sandi LDAP',
|
||||
'ldap_pw_sync_help' => 'Hapus centang pada kotak ini jika anda tidak ingin menyimpan kata sandi LDAP yang disinkronkan dengan kata sandi lokal. Menonaktifkan ini berarti pengguna anda tidak dapat masuk jika server LDAP anda tidak dapat dijangkau karena alasan tertentu.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Bidang Nama Pengguna',
|
||||
'ldap_lname_field' => 'Nama Terakhir',
|
||||
'ldap_fname_field' => 'Nama Depan LDAP',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Bersihkan Arsip yang Dihapus',
|
||||
'ldap_extension_warning' => 'It does not look like the LDAP extension is installed or enabled on this server. You can still save your settings, but you will need to enable the LDAP extension for PHP before LDAP syncing or login will work.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Employee Number',
|
||||
'create_admin_user' => 'Create a User ::',
|
||||
'create_admin_success' => 'Success! Your admin user has been added!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Testing LDAP Authentication...',
|
||||
'authentication_success' => 'User authenticated against LDAP successfully!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Sending :app test message...',
|
||||
'success' => 'Your :webhook_name Integration works!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'ERROR: 301/302 :endpoint returns a redirect. For security reasons, we don’t follow redirects. Please use the actual endpoint.',
|
||||
'error_misc' => 'Something went wrong. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Customize Report',
|
||||
'custom_report' => 'Laporan aset kostum',
|
||||
'dashboard' => 'Dashboard',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'hari',
|
||||
'days_to_next_audit' => 'Hari untuk audit selanjutnya',
|
||||
'date' => 'Tanggal',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Nama Depan Nama Belakang (jane.smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Nama Depan First Initial (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'First Name Last Name (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Last Name First Name (Smith Jane)',
|
||||
'name_display_format' => 'Name Display Format',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'Tidak',
|
||||
'notes' => 'Catatan',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Consumable|:count Consumables',
|
||||
'components' => ':count Component|:count Components',
|
||||
],
|
||||
|
||||
'more_info' => 'Info Lengkap',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'LDAP Bind Password',
|
||||
'ldap_basedn' => 'Base Bind DN',
|
||||
'ldap_filter' => 'LDAP Filter',
|
||||
'ldap_pw_sync' => 'LDAP Password Sync',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords synced with local passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Username Field',
|
||||
'ldap_lname_field' => 'Last Name',
|
||||
'ldap_fname_field' => 'LDAP First Name',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Purge Deleted Records',
|
||||
'ldap_extension_warning' => 'It does not look like the LDAP extension is installed or enabled on this server. You can still save your settings, but you will need to enable the LDAP extension for PHP before LDAP syncing or login will work.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Employee Number',
|
||||
'create_admin_user' => 'Create a User ::',
|
||||
'create_admin_success' => 'Success! Your admin user has been added!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Testing LDAP Authentication...',
|
||||
'authentication_success' => 'User authenticated against LDAP successfully!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Sending :app test message...',
|
||||
'success' => 'Your :webhook_name Integration works!',
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Customize Report',
|
||||
'custom_report' => 'Custom Asset Report',
|
||||
'dashboard' => 'Dashboard',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'days',
|
||||
'days_to_next_audit' => 'Days to Next Audit',
|
||||
'date' => 'Date',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'First Name Last Name (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Last Name First Initial (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'First Name Last Name (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Last Name First Name (Smith Jane)',
|
||||
'name_display_format' => 'Name Display Format',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'No',
|
||||
'notes' => 'Notes',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'Contraseña de enlace LDAP',
|
||||
'ldap_basedn' => 'DN del enlace base (Base Bind DN)',
|
||||
'ldap_filter' => 'Filtro LDAP',
|
||||
'ldap_pw_sync' => 'Sincronizar contraseña del LDAP',
|
||||
'ldap_pw_sync_help' => 'Desmarque esta casilla si no desea mantener las contraseñas LDAP sincronizadas con las contraseñas locales. Si desactiva esta opción, los usuarios no podrán iniciar sesión si, por algún motivo, no se puede acceder al servidor LDAP.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Campo nombre de usuario',
|
||||
'ldap_lname_field' => 'Apellido',
|
||||
'ldap_fname_field' => 'Nombre LDAP',
|
||||
|
@ -326,10 +326,14 @@ return [
|
|||
'asset_tags_help' => 'Incrementos y prefijos',
|
||||
'labels' => 'Etiquetas',
|
||||
'labels_title' => 'Actualizar configuración de etiquetas',
|
||||
'labels_help' => 'Barcodes & label settings',
|
||||
'labels_help' => 'Configuración de códigos de barras & etiquetas',
|
||||
'purge_help' => 'Purgar registros eliminados',
|
||||
'ldap_extension_warning' => 'No parece que la extensión LDAP esté instalada o habilitada en este servidor. Todavía puede guardar su configuración, pero necesitará habilitar la extensión LDAP para PHP antes de que funcione la sincronización LDAP o el inicio de sesión.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Número de empleado',
|
||||
'create_admin_user' => 'Crear un usuario ::',
|
||||
'create_admin_success' => '¡Éxito! ¡Su usuario admin ha sido añadido!',
|
||||
|
@ -355,14 +359,14 @@ return [
|
|||
'label2_2d_type' => 'Tipo de código de barras 2D',
|
||||
'label2_2d_type_help' => 'Formato para códigos de barras 2D',
|
||||
'label2_2d_target' => 'Apuntamiento del código de barras 2D',
|
||||
'label2_2d_target_help' => 'The data that will be contained in the 2D barcode',
|
||||
'label2_2d_target_help' => 'Los datos que incluirá el código de barra 2D',
|
||||
'label2_fields' => 'Definiciones del campo',
|
||||
'label2_fields_help' => 'Los campos se pueden añadir, eliminar y reordenar en la columna izquierda. Para cada campo, se pueden agregar, eliminar y reordenar múltiples opciones para etiquetas y para orígenes de datos en la columna derecha.',
|
||||
'help_asterisk_bold' => 'Texto introducido como <code>**texto**</code> se mostrará como negrita',
|
||||
'help_blank_to_use' => 'Deje en blanco para usar el valor de <code>:setting_name</code>',
|
||||
'help_default_will_use' => '<code>:default</code> will use the value from <code>:setting_name</code>. <br>Note that the value of the barcodes must comply with the respective barcode spec in order to be successfully generated. Please see <a href="https://snipe-it.readme.io/docs/barcodes">the documentation <i class="fa fa-external-link"></i></a> for more details. ',
|
||||
'asset_id' => 'Asset ID',
|
||||
'data' => 'Data',
|
||||
'help_default_will_use' => '<code>:default</code> usará el valor de <code>:setting_name</code>. <br>Tenga en cuenta que el valor de los códigos de barras debe cumplir la especificación respectiva para que sean generados exitosamente. Por favor lea <a href="https://snipe-it.readme.io/docs/barcodes">la documentación <i class="fa fa-external-link"></i></a> para más detalles. ',
|
||||
'asset_id' => 'ID del activo',
|
||||
'data' => 'Datos',
|
||||
'default' => 'Por defecto',
|
||||
'none' => 'Ninguna',
|
||||
'google_callback_help' => 'Esto debe introducirse como URL de devolución de llamada (callback) en la configuración de su aplicación de Google OAuth en la <strong><a href="https://console.cloud.google.com/" target="_blank">consola de desarrollador de Google <i class="fa fa-external-link" aria-hidden="true"></i></a></strong> de su organización .',
|
||||
|
@ -390,7 +394,7 @@ return [
|
|||
'brand' => 'pie de página, logotipo, impresión, tema, apariencia, encabezado, colores, color, css',
|
||||
'general_settings' => 'soporte de la compañía, firma, aceptación, formato de correo electrónico, formato de nombre de usuario, imágenes, por página, miniatura, acuerdo de uso, términos y condiciones, gravatar, términos de servicio, tablero de indicadores, privacidad',
|
||||
'groups' => 'permisos, grupos de permisos, autorización',
|
||||
'labels' => 'labels, barcodes, barcode, sheets, print, upc, qr, 1d, 2d',
|
||||
'labels' => 'etiquetas, código de barras, código de barra, hojas, imprimir, upc, qr, 1d, 2d',
|
||||
'localization' => 'localización, moneda, local, ubicación, zona horaria, internacional, internacionalización, idioma, traducción',
|
||||
'php_overview' => 'phpinfo, sistema, información',
|
||||
'purge' => 'eliminar permanentemente',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Probando autenticación LDAP...',
|
||||
'authentication_success' => 'Usuario autenticado contra LDAP con éxito!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Enviando mensaje de prueba :app...',
|
||||
'success' => '¡Su integración :webhook_name funciona!',
|
||||
|
@ -45,6 +48,7 @@ return [
|
|||
'error' => 'Algo salió mal. :app respondió con: :error_message',
|
||||
'error_redirect' => 'ERROR: 301/302 :endpoint devuelve una redirección. Por razones de seguridad, no seguimos redirecciones. Por favor, utilice el punto final actual.',
|
||||
'error_misc' => 'Algo salió mal. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_fail' => ' Notificación de webhook fallida: Compruebe que la URL sigue siendo válida.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Personalizar informe',
|
||||
'custom_report' => 'Informe personalizado de activos',
|
||||
'dashboard' => 'Tablero',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'días',
|
||||
'days_to_next_audit' => 'Días hasta la siguiente auditoría',
|
||||
'date' => 'Fecha',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Nombre y apellido (jane_smith@ejemplo.com)',
|
||||
'lastnamefirstinitial_format' => 'Apellido e inicial del nombre (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Inicial del nombre y apellido (j.smith@ejemplo.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'Nombre y apellido (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Apellido y nombre (Smith Jane)',
|
||||
'name_display_format' => 'Formato para mostrar el nombre',
|
||||
|
@ -216,12 +218,14 @@ return [
|
|||
'no_results' => 'No hay resultados.',
|
||||
'no' => 'No',
|
||||
'notes' => 'Notas',
|
||||
'note_added' => 'Note Added',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
'note_deleted' => 'Note Deleted',
|
||||
'delete_note' => 'Delete Note',
|
||||
'note_added' => 'Nota agregada',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Agregar nota',
|
||||
'note_edited' => 'Nota editada',
|
||||
'edit_note' => 'Editar nota',
|
||||
'note_deleted' => 'Nota eliminada',
|
||||
'delete_note' => 'Borrar nota',
|
||||
'order_number' => 'Número de orden',
|
||||
'only_deleted' => 'Solo activos eliminados',
|
||||
'page_menu' => 'Mostrando elementos de _MENU_',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count consumible|:count consumibles',
|
||||
'components' => ':count component|:count componentes',
|
||||
],
|
||||
|
||||
'more_info' => 'Más información',
|
||||
'quickscan_bulk_help' => 'Al marcar esta casilla se actualizará el activo para reflejar esta nueva ubicación. Dejarla sin marcar, simplemente almacenará la ubicación en el registro de auditoría. Tenga en cuenta que si este activo ya está asignado, no cambiará la ubicación de la persona, del activo o de la ubicación a la que esté asignado.',
|
||||
'whoops' => '¡Uy!',
|
||||
|
@ -573,8 +578,13 @@ return [
|
|||
'import_asset_tag_exists' => 'Ya existe un activo con la placa :asset_tag y no se ha solicitado una actualización. No se ha realizado ningún cambio.',
|
||||
'countries_manually_entered_help' => 'Los valores con asterisco (*) fueron introducidos manualmente y no coinciden con los valores desplegables ISO 3166 existentes',
|
||||
'accessories_assigned' => 'Accesorios asignados',
|
||||
'user_managed_passwords' => 'Password Management',
|
||||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
'user_managed_passwords' => 'Gestión de contraseña',
|
||||
'user_managed_passwords_disallow' => 'Evitar que los usuarios gestionen sus propias contraseñas',
|
||||
'user_managed_passwords_allow' => 'Permitir a los usuarios gestionar sus propias contraseñas',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'Contraseña de enlace LDAP',
|
||||
'ldap_basedn' => 'DN del enlace base (Base Bind DN)',
|
||||
'ldap_filter' => 'Filtro LDAP',
|
||||
'ldap_pw_sync' => 'Sincronizar contraseña del LDAP',
|
||||
'ldap_pw_sync_help' => 'Desmarque esta casilla si no desea mantener las contraseñas LDAP sincronizadas con las contraseñas locales. Si desactiva esta opción, los usuarios no podrán iniciar sesión si, por algún motivo, no se puede acceder al servidor LDAP.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Campo nombre de usuario',
|
||||
'ldap_lname_field' => 'Apellido',
|
||||
'ldap_fname_field' => 'Nombre LDAP',
|
||||
|
@ -326,10 +326,14 @@ return [
|
|||
'asset_tags_help' => 'Incrementos y prefijos',
|
||||
'labels' => 'Etiquetas',
|
||||
'labels_title' => 'Actualizar configuración de etiquetas',
|
||||
'labels_help' => 'Barcodes & label settings',
|
||||
'labels_help' => 'Configuración de códigos de barras & etiquetas',
|
||||
'purge_help' => 'Purgar registros eliminados',
|
||||
'ldap_extension_warning' => 'No parece que la extensión LDAP esté instalada o habilitada en este servidor. Todavía puede guardar su configuración, pero necesitará habilitar la extensión LDAP para PHP antes de que funcione la sincronización LDAP o el inicio de sesión.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Número de empleado',
|
||||
'create_admin_user' => 'Crear un usuario ::',
|
||||
'create_admin_success' => '¡Éxito! ¡Su usuario admin ha sido añadido!',
|
||||
|
@ -355,14 +359,14 @@ return [
|
|||
'label2_2d_type' => 'Tipo de códigos de barras 2D',
|
||||
'label2_2d_type_help' => 'Formato para códigos de barras 2D',
|
||||
'label2_2d_target' => 'Apuntamiento del código de barras 2D',
|
||||
'label2_2d_target_help' => 'The data that will be contained in the 2D barcode',
|
||||
'label2_2d_target_help' => 'Los datos que incluirá el código de barra 2D',
|
||||
'label2_fields' => 'Definiciones del campo',
|
||||
'label2_fields_help' => 'Los campos se pueden añadir, eliminar y reordenar en la columna izquierda. Para cada campo, se pueden agregar, eliminar y reordenar múltiples opciones para etiquetas y para orígenes de datos en la columna derecha.',
|
||||
'help_asterisk_bold' => 'Texto introducido como <code>**texto**</code> se mostrará como negrita',
|
||||
'help_blank_to_use' => 'Deje en blanco para usar el valor de <code>:setting_name</code>',
|
||||
'help_default_will_use' => '<code>:default</code> will use the value from <code>:setting_name</code>. <br>Note that the value of the barcodes must comply with the respective barcode spec in order to be successfully generated. Please see <a href="https://snipe-it.readme.io/docs/barcodes">the documentation <i class="fa fa-external-link"></i></a> for more details. ',
|
||||
'asset_id' => 'Asset ID',
|
||||
'data' => 'Data',
|
||||
'help_default_will_use' => '<code>:default</code> usará el valor de <code>:setting_name</code>. <br>Tenga en cuenta que el valor de los códigos de barras debe cumplir la especificación respectiva para que sean generados exitosamente. Por favor lea <a href="https://snipe-it.readme.io/docs/barcodes">la documentación <i class="fa fa-external-link"></i></a> para más detalles. ',
|
||||
'asset_id' => 'ID del activo',
|
||||
'data' => 'Datos',
|
||||
'default' => 'Por defecto',
|
||||
'none' => 'Ninguna',
|
||||
'google_callback_help' => 'Esto debe introducirse como URL de devolución de llamada (callback) en la configuración de su aplicación de Google OAuth en la <strong><a href="https://console.cloud.google.com/" target="_blank">consola de desarrollador de Google <i class="fa fa-external-link" aria-hidden="true"></i></a></strong> de su organización .',
|
||||
|
@ -390,7 +394,7 @@ return [
|
|||
'brand' => 'pie de página, logotipo, impresión, tema, apariencia, encabezado, colores, color, css',
|
||||
'general_settings' => 'soporte de la compañía, firma, aceptación, formato de correo electrónico, formato de nombre de usuario, imágenes, por página, miniatura, acuerdo de uso, términos y condiciones, gravatar, términos de servicio, tablero de indicadores, privacidad',
|
||||
'groups' => 'permisos, grupos de permisos, autorización',
|
||||
'labels' => 'labels, barcodes, barcode, sheets, print, upc, qr, 1d, 2d',
|
||||
'labels' => 'etiquetas, código de barras, código de barra, hojas, imprimir, upc, qr, 1d, 2d',
|
||||
'localization' => 'localización, moneda, local, ubicación, zona horaria, internacional, internacionalización, idioma, traducción',
|
||||
'php_overview' => 'phpinfo, sistema, información',
|
||||
'purge' => 'eliminar permanentemente',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Probando autenticación LDAP...',
|
||||
'authentication_success' => 'Usuario autenticado contra LDAP con éxito!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Enviando mensaje de prueba de :app...',
|
||||
'success' => '¡Su integración :webhook_name funciona!',
|
||||
|
@ -45,6 +48,7 @@ return [
|
|||
'error' => 'Algo salió mal. :app respondió con: :error_message',
|
||||
'error_redirect' => 'ERROR: 301/302 :endpoint devuelve una redirección. Por razones de seguridad, no seguimos redirecciones. Por favor, utilice el punto final actual.',
|
||||
'error_misc' => 'Algo salió mal. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_fail' => ' Notificación de webhook fallida: Compruebe que la URL sigue siendo válida.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Personalizar informe',
|
||||
'custom_report' => 'Informe personalizado de activos',
|
||||
'dashboard' => 'Tablero',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'días',
|
||||
'days_to_next_audit' => 'Días hasta la siguiente auditoría',
|
||||
'date' => 'Fecha',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Nombre y apellido (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Apellido e inicial del nombre (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Inicial del nombre y apellido (j.smith@ejemplo.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'Nombre y apellido (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Apellido y nombre (Smith Jane)',
|
||||
'name_display_format' => 'Formato para mostrar el nombre',
|
||||
|
@ -216,12 +218,14 @@ return [
|
|||
'no_results' => 'No hay resultados.',
|
||||
'no' => 'No',
|
||||
'notes' => 'Notas',
|
||||
'note_added' => 'Note Added',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
'note_deleted' => 'Note Deleted',
|
||||
'delete_note' => 'Delete Note',
|
||||
'note_added' => 'Nota agregada',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Agregar nota',
|
||||
'note_edited' => 'Nota editada',
|
||||
'edit_note' => 'Editar nota',
|
||||
'note_deleted' => 'Nota eliminada',
|
||||
'delete_note' => 'Borrar nota',
|
||||
'order_number' => 'Número de orden',
|
||||
'only_deleted' => 'Solo activos eliminados',
|
||||
'page_menu' => 'Mostrando elementos de _MENU_',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count consumible|:count consumibles',
|
||||
'components' => ':count component|:count componentes',
|
||||
],
|
||||
|
||||
'more_info' => 'Más información',
|
||||
'quickscan_bulk_help' => 'Al marcar esta casilla se actualizará el activo para reflejar esta nueva ubicación. Dejarla sin marcar, simplemente almacenará la ubicación en el registro de auditoría. Tenga en cuenta que si este activo ya está asignado, no cambiará la ubicación de la persona, del activo o de la ubicación a la que esté asignado.',
|
||||
'whoops' => '¡Uy!',
|
||||
|
@ -573,8 +578,13 @@ return [
|
|||
'import_asset_tag_exists' => 'Ya existe un activo con la placa :asset_tag y no se ha solicitado una actualización. No se ha realizado ningún cambio.',
|
||||
'countries_manually_entered_help' => 'Los valores con asterisco (*) fueron introducidos manualmente y no coinciden con los valores desplegables ISO 3166 existentes',
|
||||
'accessories_assigned' => 'Accesorios asignados',
|
||||
'user_managed_passwords' => 'Password Management',
|
||||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
'user_managed_passwords' => 'Gestión de contraseña',
|
||||
'user_managed_passwords_disallow' => 'Evitar que los usuarios gestionen sus propias contraseñas',
|
||||
'user_managed_passwords_allow' => 'Permitir a los usuarios gestionar sus propias contraseñas',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'Contraseña de enlace LDAP',
|
||||
'ldap_basedn' => 'Enlazar base DN',
|
||||
'ldap_filter' => 'Filtro LDAP',
|
||||
'ldap_pw_sync' => 'Sincronizar contraseña del LDAP',
|
||||
'ldap_pw_sync_help' => 'Desmarque esta casilla si no desea mantener las contraseñas LDAP sincronizadas con las contraseñas locales. Si desactiva esta opción, los usuarios no podrán iniciar sesión si, por algún motivo, no se puede acceder al servidor LDAP.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Campo nombre de usuario',
|
||||
'ldap_lname_field' => 'Apellido',
|
||||
'ldap_fname_field' => 'Nombre LDAP',
|
||||
|
@ -326,10 +326,14 @@ return [
|
|||
'asset_tags_help' => 'Incrementos y prefijos',
|
||||
'labels' => 'Etiquetas',
|
||||
'labels_title' => 'Actualizar configuración de etiquetas',
|
||||
'labels_help' => 'Barcodes & label settings',
|
||||
'labels_help' => 'Configuración de códigos de barras & etiquetas',
|
||||
'purge_help' => 'Purgar registros eliminados',
|
||||
'ldap_extension_warning' => 'No parece que la extensión LDAP esté instalada o habilitada en este servidor. Todavía puede guardar su configuración, pero necesitará habilitar la extensión LDAP para PHP antes de que funcione la sincronización LDAP o el inicio de sesión.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Número de empleado',
|
||||
'create_admin_user' => 'Crear un usuario ::',
|
||||
'create_admin_success' => '¡Éxito! ¡Su usuario admin ha sido añadido!',
|
||||
|
@ -355,14 +359,14 @@ return [
|
|||
'label2_2d_type' => 'Tipo de código de barras 2D',
|
||||
'label2_2d_type_help' => 'Formato para códigos de barras 2D',
|
||||
'label2_2d_target' => 'Apuntamiento del código de barras 2D',
|
||||
'label2_2d_target_help' => 'The data that will be contained in the 2D barcode',
|
||||
'label2_2d_target_help' => 'Los datos que incluirá el código de barra 2D',
|
||||
'label2_fields' => 'Definiciones del campo',
|
||||
'label2_fields_help' => 'Los campos se pueden añadir, eliminar y reordenar en la columna izquierda. Para cada campo, se pueden agregar, eliminar y reordenar múltiples opciones para etiquetas y para orígenes de datos en la columna derecha.',
|
||||
'help_asterisk_bold' => 'El texto escrito como <code>**texto**</code> se mostrará como negrita',
|
||||
'help_blank_to_use' => 'Deje en blanco para usar el valor de <code>:setting_name</code>',
|
||||
'help_default_will_use' => '<code>:default</code> will use the value from <code>:setting_name</code>. <br>Note that the value of the barcodes must comply with the respective barcode spec in order to be successfully generated. Please see <a href="https://snipe-it.readme.io/docs/barcodes">the documentation <i class="fa fa-external-link"></i></a> for more details. ',
|
||||
'asset_id' => 'Asset ID',
|
||||
'data' => 'Data',
|
||||
'help_default_will_use' => '<code>:default</code> usará el valor de <code>:setting_name</code>. <br>Tenga en cuenta que el valor de los códigos de barras debe cumplir la especificación respectiva para que sean generados exitosamente. Por favor lea <a href="https://snipe-it.readme.io/docs/barcodes">la documentación <i class="fa fa-external-link"></i></a> para más detalles. ',
|
||||
'asset_id' => 'ID del activo',
|
||||
'data' => 'Datos',
|
||||
'default' => 'Predeterminado',
|
||||
'none' => 'Ninguno',
|
||||
'google_callback_help' => 'Esto debe introducirse como URL de devolución de llamada (callback) en la configuración de su aplicación de Google OAuth en la <strong><a href="https://console.cloud.google.com/" target="_blank">consola de desarrollador de Google <i class="fa fa-external-link" aria-hidden="true"></i></a></strong> de su organización .',
|
||||
|
@ -390,7 +394,7 @@ return [
|
|||
'brand' => 'pie de página, logotipo, impresión, tema, apariencia, encabezado, colores, color, css',
|
||||
'general_settings' => 'soporte de la compañía, firma, aceptación, formato de correo electrónico, formato de nombre de usuario, imágenes, por página, miniatura, acuerdo de uso, términos y condiciones, gravatar, términos de servicio, tablero de indicadores, privacidad',
|
||||
'groups' => 'permisos, grupos de permisos, autorización',
|
||||
'labels' => 'labels, barcodes, barcode, sheets, print, upc, qr, 1d, 2d',
|
||||
'labels' => 'etiquetas, código de barras, código de barra, hojas, imprimir, upc, qr, 1d, 2d',
|
||||
'localization' => 'localización, moneda, local, ubicación, zona horaria, internacional, internacionalización, idioma, traducción',
|
||||
'php_overview' => 'phpinfo, sistema, información',
|
||||
'purge' => 'eliminar permanentemente',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Probando autenticación LDAP...',
|
||||
'authentication_success' => 'Usuario autenticado contra LDAP con éxito!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Enviando mensaje de prueba a :app...',
|
||||
'success' => '¡Su integración :webhook_name funciona!',
|
||||
|
@ -45,6 +48,7 @@ return [
|
|||
'error' => 'Algo salió mal. :app respondió con: :error_message',
|
||||
'error_redirect' => 'ERROR: 301/302 :endpoint devuelve una redirección. Por razones de seguridad, no seguimos redirecciones. Por favor, utilice el punto final actual.',
|
||||
'error_misc' => 'Algo salió mal. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_fail' => ' Notificación de webhook fallida: Compruebe que la URL sigue siendo válida.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Personalizar informe',
|
||||
'custom_report' => 'Informe personalizado de activos',
|
||||
'dashboard' => 'Tablero',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'días',
|
||||
'days_to_next_audit' => 'Días hasta la siguiente auditoría',
|
||||
'date' => 'Fecha',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Nombre y apellido (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Apellido e inicial del nombre (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Inicial del nombre y apellido (j.smith@ejemplo.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'Nombre y apellido (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Apellido y nombre (Smith Jane)',
|
||||
'name_display_format' => 'Formato para mostrar el nombre',
|
||||
|
@ -216,12 +218,14 @@ return [
|
|||
'no_results' => 'No hay resultados.',
|
||||
'no' => 'No',
|
||||
'notes' => 'Notas',
|
||||
'note_added' => 'Note Added',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
'note_deleted' => 'Note Deleted',
|
||||
'delete_note' => 'Delete Note',
|
||||
'note_added' => 'Nota agregada',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Agregar nota',
|
||||
'note_edited' => 'Nota editada',
|
||||
'edit_note' => 'Editar nota',
|
||||
'note_deleted' => 'Nota eliminada',
|
||||
'delete_note' => 'Borrar nota',
|
||||
'order_number' => 'Número de orden',
|
||||
'only_deleted' => 'Solo activos eliminados',
|
||||
'page_menu' => 'Mostrando elementos de _MENU_',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count consumible|:count consumibles',
|
||||
'components' => ':count component|:count componentes',
|
||||
],
|
||||
|
||||
'more_info' => 'Más información',
|
||||
'quickscan_bulk_help' => 'Al marcar esta casilla se actualizará el activo para reflejar esta nueva ubicación. Dejarla sin marcar, simplemente almacenará la ubicación en el registro de auditoría. Tenga en cuenta que si este activo ya está asignado, no cambiará la ubicación de la persona, del activo o de la ubicación a la que esté asignado.',
|
||||
'whoops' => '¡Uy!',
|
||||
|
@ -573,8 +578,13 @@ return [
|
|||
'import_asset_tag_exists' => 'Ya existe un activo con la placa :asset_tag y no se ha solicitado una actualización. No se ha realizado ningún cambio.',
|
||||
'countries_manually_entered_help' => 'Los valores con asterisco (*) fueron introducidos manualmente y no coinciden con los valores desplegables ISO 3166 existentes',
|
||||
'accessories_assigned' => 'Accesorios asignados',
|
||||
'user_managed_passwords' => 'Password Management',
|
||||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
'user_managed_passwords' => 'Gestión de contraseña',
|
||||
'user_managed_passwords_disallow' => 'Evitar que los usuarios gestionen sus propias contraseñas',
|
||||
'user_managed_passwords_allow' => 'Permitir a los usuarios gestionar sus propias contraseñas',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'Contraseña de enlace LDAP',
|
||||
'ldap_basedn' => 'DN del enlace base (Base Bind DN)',
|
||||
'ldap_filter' => 'Filtro LDAP',
|
||||
'ldap_pw_sync' => 'Sincronizar contraseña del LDAP',
|
||||
'ldap_pw_sync_help' => 'Desmarque esta casilla si no desea mantener las contraseñas LDAP sincronizadas con las contraseñas locales. Si desactiva esta opción, los usuarios no podrán iniciar sesión si, por algún motivo, no se puede acceder al servidor LDAP.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Campo nombre de usuario',
|
||||
'ldap_lname_field' => 'Apellido',
|
||||
'ldap_fname_field' => 'Nombre LDAP',
|
||||
|
@ -326,10 +326,14 @@ return [
|
|||
'asset_tags_help' => 'Incrementos y prefijos',
|
||||
'labels' => 'Etiquetas',
|
||||
'labels_title' => 'Actualizar configuración de etiquetas',
|
||||
'labels_help' => 'Barcodes & label settings',
|
||||
'labels_help' => 'Configuración de códigos de barras & etiquetas',
|
||||
'purge_help' => 'Purgar registros eliminados',
|
||||
'ldap_extension_warning' => 'No parece que la extensión LDAP esté instalada o habilitada en este servidor. Todavía puede guardar su configuración, pero necesitará habilitar la extensión LDAP para PHP antes de que funcione la sincronización LDAP o el inicio de sesión.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Número de empleado',
|
||||
'create_admin_user' => 'Crear un usuario ::',
|
||||
'create_admin_success' => '¡Éxito! ¡Su usuario admin ha sido añadido!',
|
||||
|
@ -355,14 +359,14 @@ return [
|
|||
'label2_2d_type' => 'Tipo de código de barras 2D',
|
||||
'label2_2d_type_help' => 'Formato para códigos de barras 2D',
|
||||
'label2_2d_target' => 'Apuntamiento del código de barras 2D',
|
||||
'label2_2d_target_help' => 'The data that will be contained in the 2D barcode',
|
||||
'label2_2d_target_help' => 'Los datos que incluirá el código de barra 2D',
|
||||
'label2_fields' => 'Definiciones del campo',
|
||||
'label2_fields_help' => 'Los campos se pueden añadir, eliminar y reordenar en la columna izquierda. Para cada campo, se pueden agregar, eliminar y reordenar múltiples opciones para etiquetas y para orígenes de datos en la columna derecha.',
|
||||
'help_asterisk_bold' => 'Texto introducido como <code>**texto**</code> se mostrará como negrita',
|
||||
'help_blank_to_use' => 'Deje en blanco para usar el valor de <code>:setting_name</code>',
|
||||
'help_default_will_use' => '<code>:default</code> will use the value from <code>:setting_name</code>. <br>Note that the value of the barcodes must comply with the respective barcode spec in order to be successfully generated. Please see <a href="https://snipe-it.readme.io/docs/barcodes">the documentation <i class="fa fa-external-link"></i></a> for more details. ',
|
||||
'asset_id' => 'Asset ID',
|
||||
'data' => 'Data',
|
||||
'help_default_will_use' => '<code>:default</code> usará el valor de <code>:setting_name</code>. <br>Tenga en cuenta que el valor de los códigos de barras debe cumplir la especificación respectiva para que sean generados exitosamente. Por favor lea <a href="https://snipe-it.readme.io/docs/barcodes">la documentación <i class="fa fa-external-link"></i></a> para más detalles. ',
|
||||
'asset_id' => 'ID del activo',
|
||||
'data' => 'Datos',
|
||||
'default' => 'Por defecto',
|
||||
'none' => 'Ninguna',
|
||||
'google_callback_help' => 'Esto debe introducirse como URL de devolución de llamada (callback) en la configuración de su aplicación de Google OAuth en la <strong><a href="https://console.cloud.google.com/" target="_blank">consola de desarrollador de Google <i class="fa fa-external-link" aria-hidden="true"></i></a></strong> de su organización .',
|
||||
|
@ -390,7 +394,7 @@ return [
|
|||
'brand' => 'pie de página, logotipo, impresión, tema, apariencia, encabezado, colores, color, css',
|
||||
'general_settings' => 'soporte de la compañía, firma, aceptación, formato de correo electrónico, formato de nombre de usuario, imágenes, por página, miniatura, acuerdo de uso, términos y condiciones, gravatar, términos de servicio, tablero de indicadores, privacidad',
|
||||
'groups' => 'permisos, grupos de permisos, autorización',
|
||||
'labels' => 'labels, barcodes, barcode, sheets, print, upc, qr, 1d, 2d',
|
||||
'labels' => 'etiquetas, código de barras, código de barra, hojas, imprimir, upc, qr, 1d, 2d',
|
||||
'localization' => 'localización, moneda, local, ubicación, zona horaria, internacional, internacionalización, idioma, traducción',
|
||||
'php_overview' => 'phpinfo, sistema, información',
|
||||
'purge' => 'eliminar permanentemente',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Probando autenticación LDAP...',
|
||||
'authentication_success' => 'Usuario autenticado contra LDAP con éxito!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Enviando mensaje de prueba :app...',
|
||||
'success' => '¡Su integración :webhook_name funciona!',
|
||||
|
@ -45,6 +48,7 @@ return [
|
|||
'error' => 'Algo salió mal. :app respondió con: :error_message',
|
||||
'error_redirect' => 'ERROR: 301/302 :endpoint devuelve una redirección. Por razones de seguridad, no seguimos redirecciones. Por favor, utilice el punto final actual.',
|
||||
'error_misc' => 'Algo salió mal. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_fail' => ' Notificación de webhook fallida: Compruebe que la URL sigue siendo válida.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Personalizar informe',
|
||||
'custom_report' => 'Informe personalizado de activos',
|
||||
'dashboard' => 'Tablero',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'días',
|
||||
'days_to_next_audit' => 'Días hasta la siguiente auditoría',
|
||||
'date' => 'Fecha',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Nombre y apellido (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Apellido e inicial del nombre (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Inicial del nombre y apellido (j.smith@ejemplo.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'Nombre y apellido (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Apellido y nombre (Smith Jane)',
|
||||
'name_display_format' => 'Formato para mostrar el nombre',
|
||||
|
@ -216,12 +218,14 @@ return [
|
|||
'no_results' => 'No hay resultados.',
|
||||
'no' => 'No',
|
||||
'notes' => 'Notas',
|
||||
'note_added' => 'Note Added',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
'note_deleted' => 'Note Deleted',
|
||||
'delete_note' => 'Delete Note',
|
||||
'note_added' => 'Nota agregada',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Agregar nota',
|
||||
'note_edited' => 'Nota editada',
|
||||
'edit_note' => 'Editar nota',
|
||||
'note_deleted' => 'Nota eliminada',
|
||||
'delete_note' => 'Borrar nota',
|
||||
'order_number' => 'Número de orden',
|
||||
'only_deleted' => 'Solo activos eliminados',
|
||||
'page_menu' => 'Mostrando elementos de _MENU_',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count consumible|:count consumibles',
|
||||
'components' => ':count component|:count componentes',
|
||||
],
|
||||
|
||||
'more_info' => 'Más información',
|
||||
'quickscan_bulk_help' => 'Al marcar esta casilla se actualizará el activo para reflejar esta nueva ubicación. Dejarla sin marcar, simplemente almacenará la ubicación en el registro de auditoría. Tenga en cuenta que si este activo ya está asignado, no cambiará la ubicación de la persona, del activo o de la ubicación a la que esté asignado.',
|
||||
'whoops' => '¡Uy!',
|
||||
|
@ -573,8 +578,13 @@ return [
|
|||
'import_asset_tag_exists' => 'Ya existe un activo con la placa :asset_tag y no se ha solicitado una actualización. No se ha realizado ningún cambio.',
|
||||
'countries_manually_entered_help' => 'Los valores con asterisco (*) fueron introducidos manualmente y no coinciden con los valores desplegables ISO 3166 existentes',
|
||||
'accessories_assigned' => 'Accesorios asignados',
|
||||
'user_managed_passwords' => 'Password Management',
|
||||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
'user_managed_passwords' => 'Gestión de contraseña',
|
||||
'user_managed_passwords_disallow' => 'Evitar que los usuarios gestionen sus propias contraseñas',
|
||||
'user_managed_passwords_allow' => 'Permitir a los usuarios gestionar sus propias contraseñas',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'LDAP bind parool',
|
||||
'ldap_basedn' => 'Base Bind DN',
|
||||
'ldap_filter' => 'LDAP-filter',
|
||||
'ldap_pw_sync' => 'LDAP paroolide sünkroonimine',
|
||||
'ldap_pw_sync_help' => 'Tühjendage see ruut, kui te ei soovi LDAP paroole sünkroonida kohalike paroolidega. Selle keelamine tähendab, et teie kasutajad ei pruugi siseneda, kui teie LDAP-server mingil põhjusel pole saavutatav.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Kasutajanimi väli',
|
||||
'ldap_lname_field' => 'Perekonnanimi',
|
||||
'ldap_fname_field' => 'LDAP eesnimi',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Puhasta kustutatud dokumendid',
|
||||
'ldap_extension_warning' => 'It does not look like the LDAP extension is installed or enabled on this server. You can still save your settings, but you will need to enable the LDAP extension for PHP before LDAP syncing or login will work.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Töötaja number',
|
||||
'create_admin_user' => 'Create a User ::',
|
||||
'create_admin_success' => 'Success! Your admin user has been added!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Testing LDAP Authentication...',
|
||||
'authentication_success' => 'User authenticated against LDAP successfully!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Sending :app test message...',
|
||||
'success' => 'Your :webhook_name Integration works!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'ERROR: 301/302 :endpoint returns a redirect. For security reasons, we don’t follow redirects. Please use the actual endpoint.',
|
||||
'error_misc' => 'Something went wrong. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Kohanda aruannet',
|
||||
'custom_report' => 'Kohandatud varade aruanne',
|
||||
'dashboard' => 'Töölaud',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'päeva',
|
||||
'days_to_next_audit' => 'Päevad järgmise auditi juurde',
|
||||
'date' => 'Kuupäev',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Eesnimi Perenimi (eesnimi.perenimi@poleolemas.ee)',
|
||||
'lastnamefirstinitial_format' => 'Perenimi Eesnime lühend (perenimie@poleolemas.ee)',
|
||||
'firstintial_dot_lastname_format' => 'Eesnime algustäht Perenimi (j.smith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'Eesnimi Perekonnanimi (Minu Nimi)',
|
||||
'lastname_firstname_display' => 'Last Name First Name (Smith Jane)',
|
||||
'name_display_format' => 'Nime Kuvamise Formaat',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'Ei',
|
||||
'notes' => 'Märkmed',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Consumable|:count Consumables',
|
||||
'components' => ':count Component|:count Components',
|
||||
],
|
||||
|
||||
'more_info' => 'Rohkem infot',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -148,8 +148,8 @@ return [
|
|||
'ldap_pword' => 'LDAP اتصال رمز عبور',
|
||||
'ldap_basedn' => 'اتصال پایگاه DN',
|
||||
'ldap_filter' => 'LDAP فیلتر',
|
||||
'ldap_pw_sync' => 'همگام سازی رمز عبور LDAP',
|
||||
'ldap_pw_sync_help' => 'اگر نمیخواهید گذرواژههای LDAP را با گذرواژههای محلی همگامسازی کنید، این کادر را بردارید. غیرفعال کردن این به این معنی است که کاربران شما ممکن است قادر به ورود به سیستم اگر سرور LDAP شما به دلایلی غیر قابل دسترس است.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'فیلد نام کاربری',
|
||||
'ldap_lname_field' => 'نام خانوادگی',
|
||||
'ldap_fname_field' => 'LDAP نام',
|
||||
|
@ -459,6 +459,10 @@ return [
|
|||
',
|
||||
'ldap_ad' => 'LDAP/AD
|
||||
',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'تعداد کارکنان
|
||||
',
|
||||
'create_admin_user' => 'ایجاد کاربر جدید ::',
|
||||
|
|
|
@ -45,6 +45,9 @@ return [
|
|||
'authentication_success' => 'کاربر در برابر LDAP با موفقیت احراز هویت شد!
|
||||
'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Sending :app test message...',
|
||||
'success' => 'Your :webhook_name Integration works!',
|
||||
|
@ -57,5 +60,6 @@ return [
|
|||
'error_redirect' => 'ERROR: 301/302 :endpoint returns a redirect. For security reasons, we don’t follow redirects. Please use the actual endpoint.',
|
||||
'error_misc' => 'مشکلی پیش آمده. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -98,6 +98,7 @@ return [
|
|||
'custom_report' => 'گزارش های سفارشی دارایی
|
||||
',
|
||||
'dashboard' => 'میز کار',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'روزها',
|
||||
'days_to_next_audit' => 'روز به حسابرسی بعدی',
|
||||
'date' => 'تاریخ',
|
||||
|
@ -138,6 +139,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'نام خانوادگی (jane.smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'فامیل نام میانه (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'نام میانه فامیل (j.smith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'First Name Last Name (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Last Name First Name (Smith Jane)',
|
||||
'name_display_format' => 'Name Display Format',
|
||||
|
@ -234,6 +236,8 @@ return [
|
|||
'no' => 'خیر',
|
||||
'notes' => 'یادداشت ها',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -646,6 +650,7 @@ return [
|
|||
'consumables' => ':count Consumable|:count Consumables',
|
||||
'components' => ':count Component|:count Components',
|
||||
],
|
||||
|
||||
'more_info' => 'اطلاعات بیشتر',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -662,4 +667,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'LDAP-sidonta salasana',
|
||||
'ldap_basedn' => 'Kohdehaaran DN',
|
||||
'ldap_filter' => 'LDAP suodatin',
|
||||
'ldap_pw_sync' => 'LDAP salasanan synkronointi',
|
||||
'ldap_pw_sync_help' => 'Poista valinta, jos et halua säilyttää LDAP-salasanoja synkronoituna paikallisiin salasanoihin. Tällöin käyttäjät eivät voi kirjautua sisään, jos LDAP-palvelin ei jostain syystä ole tavoitettavissa.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Käyttäjätunnus kenttä',
|
||||
'ldap_lname_field' => 'Sukunimi',
|
||||
'ldap_fname_field' => 'LDAP etunimi',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Puhdista poistetut tietueet',
|
||||
'ldap_extension_warning' => 'Se ei näytä LDAP laajennus on asennettu tai otettu käyttöön tällä palvelimella. Voit silti tallentaa asetuksesi, mutta sinun täytyy ottaa käyttöön LDAP laajennus PHP ennen LDAP synkronointia tai kirjautuminen toimii.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Työntekijän Numero',
|
||||
'create_admin_user' => 'Luo käyttäjä ::',
|
||||
'create_admin_success' => 'Onnistui! Ylläpitäjäsi on lisätty!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Testataan Ldap Todennusta...',
|
||||
'authentication_success' => 'Käyttäjä tunnistettu LDAP vastaan!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Lähetetään :app testiviestiä...',
|
||||
'success' => 'Sinun :webhook_name Integraatio toimii!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'VIRHE: 301/302 :endpoint palauttaa uudelleenohjauksen. Turvallisuussyistä emme seuraa uudelleenohjauksia. Käytä todellista päätepistettä.',
|
||||
'error_misc' => 'Jokin meni pieleen. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Mukautettu raportti',
|
||||
'custom_report' => 'Mukautettu laiteraportti',
|
||||
'dashboard' => 'Hallintasivu',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'päivää',
|
||||
'days_to_next_audit' => 'Päivää seuraavaan tarkastukseen',
|
||||
'date' => 'Päivä',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Etunimi Sukunimi (paivi_virtanen@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Sukunimi Etunimen ensimmäinen (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Ensimmäinen nimikirjain . sukunimi (p.virtanen@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'Etunimi Sukunimi (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Sukunimi Etunimi (Smith Jane)',
|
||||
'name_display_format' => 'Nimen Näytön Muoto',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'Ei',
|
||||
'notes' => 'Muistiinpanot',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Kulutustavara :count Kulutustavarat',
|
||||
'components' => ':count Komponentti :count Komponentit',
|
||||
],
|
||||
|
||||
'more_info' => 'Lisätiedot',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -2,7 +2,7 @@
|
|||
|
||||
return array(
|
||||
|
||||
'does_not_exist' => 'The accessory [:id] does not exist.',
|
||||
'does_not_exist' => 'Ang aksesoryang [:id] ay hindi umiiral.',
|
||||
'not_found' => 'That accessory was not found.',
|
||||
'assoc_users' => 'Ang aksesoryang ito ay kasalukuyang mayroong :pag-check out sa pag-kwenta ng mga aytem sa mga gumagamit o user. Paki-tingnan sa mga aksesorya at subukang muli. ',
|
||||
|
||||
|
@ -25,7 +25,7 @@ return array(
|
|||
'checkout' => array(
|
||||
'error' => 'Ang aksesorya ay hindi na-check out, mangyaring subukang muli',
|
||||
'success' => 'Ang aksesorya ay matagumoay na nai-check out.',
|
||||
'unavailable' => 'Accessory is not available for checkout. Check quantity available',
|
||||
'unavailable' => 'Ang aksesorya ay hindi maaaring i-check out. Suriing mabuti ang natitirang bilang',
|
||||
'user_does_not_exist' => 'Ang user na iyon ay hindi tama. Mangyaring subukang muli.',
|
||||
'checkout_qty' => array(
|
||||
'lte' => 'There is currently only one available accessory of this type, and you are trying to check out :checkout_qty. Please adjust the checkout quantity or the total stock of this accessory and try again.|There are :number_currently_remaining total available accessories, and you are trying to check out :checkout_qty. Please adjust the checkout quantity or the total stock of this accessory and try again.',
|
||||
|
|
|
@ -12,5 +12,5 @@ return array(
|
|||
'remaining' => 'Ang Natitira',
|
||||
'total' => 'Ang Kabuuan',
|
||||
'update' => 'I-update ang Komponent',
|
||||
'checkin_limit' => 'Amount checked in must be equal to or less than :assigned_qty'
|
||||
'checkin_limit' => 'Ang bilang ng nai-check in ay dapat pareho o mas mababa sa :assigned_qty'
|
||||
);
|
||||
|
|
|
@ -24,7 +24,7 @@ return array(
|
|||
'error' => 'Ang komponent ay hindi nai-check out, mangyaring subukang muli',
|
||||
'success' => 'Ang komponent ay matagukpay nang nai-check out.',
|
||||
'user_does_not_exist' => 'Ang user na iyon ay hindi balido. Mangyaring subukang muli.',
|
||||
'unavailable' => 'Not enough components remaining: :remaining remaining, :requested requested ',
|
||||
'unavailable' => 'Kulang ang bilang ng natitirang komponent: :remaining ang natitira, :requested ang kinukuha ',
|
||||
),
|
||||
|
||||
'checkin' => array(
|
||||
|
|
|
@ -8,5 +8,5 @@ return array(
|
|||
'remaining' => 'Ang natitira',
|
||||
'total' => 'Ang Kabuuan',
|
||||
'update' => 'I-update ang Consumable',
|
||||
'inventory_warning' => 'The inventory of this consumable is below the minimum amount of :min_count',
|
||||
'inventory_warning' => 'Ang imbentaryo ng consumable na ito ay nasa mababang bilang na :min_count',
|
||||
);
|
||||
|
|
|
@ -2,7 +2,7 @@
|
|||
|
||||
return array(
|
||||
|
||||
'invalid_category_type' => 'The category must be a consumable category.',
|
||||
'invalid_category_type' => 'Ang kategorya ay dapat nasa kategorya ng consumable.',
|
||||
'does_not_exist' => 'Ang consumable ay hindi umiiral.',
|
||||
|
||||
'create' => array(
|
||||
|
|
|
@ -8,7 +8,7 @@ return array(
|
|||
'assoc_child_loc' => 'Ang lokasyong ito ay kasalukuyang pinagmumulan sa hindi bumaba sa lokasyon isang bata at hindi maaaring mai-delete. Mangyaring i-update ang iyong mga lokasyon upang hindi na magreperens sa lokasyong ito at paki-subok muli. ',
|
||||
'assigned_assets' => 'Assigned Assets',
|
||||
'current_location' => 'Current Location',
|
||||
'open_map' => 'Open in :map_provider_icon Maps',
|
||||
'open_map' => 'Buksan sa :map_provider_icon Maps',
|
||||
|
||||
|
||||
'create' => array(
|
||||
|
|
|
@ -3,7 +3,7 @@
|
|||
return array(
|
||||
'about_models_title' => 'Ang Tungkol sa mga Modelo ng Asset',
|
||||
'about_models_text' => 'Ang mga Modelo ng Asset ay isang paraan para i-grupo ang magkakaparehong mga asset. "MBP 2013", "IPhone 6s", atbp.',
|
||||
'deleted' => 'This model has been deleted.',
|
||||
'deleted' => 'Ang modelong ito ay nabura na.',
|
||||
'bulk_delete' => 'Ang Maramihang Pag-delete sa mga Modelo ng Asset',
|
||||
'bulk_delete_help' => 'Gamitin ang mga checkboxes sa ibaba para i-komperma ang pag-delete sa mga napiling mga modelo ng asset. Ang mga modelo ng asset na mayroong mga asset na nai-ugnay sa mga ito ay hindi pwedeng i-delete hanggang sa ang lahat ng mga asset ay nai-ugnay sa ibat-ibang modelo.',
|
||||
'bulk_delete_warn' => 'You are about to delete one asset model.|You are about to delete :model_count asset models.',
|
||||
|
|
|
@ -4,7 +4,7 @@ return [
|
|||
'info' => 'Pumili ng opsyon na gusto mo para sa iyong report sa asset.',
|
||||
'deleted_user' => 'Deleted user',
|
||||
'send_reminder' => 'Send reminder',
|
||||
'reminder_sent' => 'Reminder sent',
|
||||
'reminder_sent' => 'Naipadala ang paalala',
|
||||
'acceptance_deleted' => 'Acceptance request deleted',
|
||||
'acceptance_request' => 'Acceptance request',
|
||||
'custom_export' => [
|
||||
|
|
|
@ -51,11 +51,11 @@ return [
|
|||
'default_eula_text' => 'Ang Default na EULA',
|
||||
'default_language' => 'Ang Default na Linggwahe',
|
||||
'default_eula_help_text' => 'Maaari kang mag-ugnay ng kustom na EULAS sa partikular na mga katergorya ng asset.',
|
||||
'acceptance_note' => 'Add a note for your decision (Optional)',
|
||||
'acceptance_note' => 'Magdagdag ng paalala para sa iyong desisyon (Opsiyonal)',
|
||||
'display_asset_name' => 'Ipakita ang Pangalan ng Asset',
|
||||
'display_checkout_date' => 'Ang Petsa ng Pag-checkout ay Ipakita',
|
||||
'display_eol' => 'Ipakita sa table view ang EOL',
|
||||
'display_qr' => 'Display 2D barcode',
|
||||
'display_qr' => 'Ipakita ang 2D barcode',
|
||||
'display_alt_barcode' => 'Ipakita ang 1D barcode',
|
||||
'email_logo' => 'Email Logo',
|
||||
'barcode_type' => 'Ang Uri ng 2D Barcode',
|
||||
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'Ang Bind Password ng LDAP',
|
||||
'ldap_basedn' => 'Ang Bind DN ng Base',
|
||||
'ldap_filter' => 'Ang Filter ng LDAP',
|
||||
'ldap_pw_sync' => 'Ang Password Sync ng LDAP',
|
||||
'ldap_pw_sync_help' => 'Alisan ng tsek ang kahon kapag hindi mo gustong magpanatili ng mga password sync ng LDAP sa lokal na mga password. Ang hindi pagpapagana nito ay nangangahulugang na ang iyong gumagamit ay maaaring hindi makapag-login kapag ang iyong serber ng LDAP ay hindi maabot sa iilang mga kadahilanan.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Ang Field ng Username',
|
||||
'ldap_lname_field' => 'Ang Huling Pangalan',
|
||||
'ldap_fname_field' => 'Unang Pangalan ng LDAP',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Ang mga Rekords na Nai-delete sa Pag-purge',
|
||||
'ldap_extension_warning' => 'It does not look like the LDAP extension is installed or enabled on this server. You can still save your settings, but you will need to enable the LDAP extension for PHP before LDAP syncing or login will work.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Employee Number',
|
||||
'create_admin_user' => 'Create a User ::',
|
||||
'create_admin_success' => 'Success! Your admin user has been added!',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Testing LDAP Authentication...',
|
||||
'authentication_success' => 'User authenticated against LDAP successfully!'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Sending :app test message...',
|
||||
'success' => 'Your :webhook_name Integration works!',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'ERROR: 301/302 :endpoint returns a redirect. For security reasons, we don’t follow redirects. Please use the actual endpoint.',
|
||||
'error_misc' => 'Something went wrong. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -11,8 +11,8 @@ return [
|
|||
'ldap_reset_password' => 'Please click here to reset your LDAP password',
|
||||
'remember_me' => 'Tandaan ako',
|
||||
'username_help_top' => 'Enter your <strong>username</strong> to be emailed a password reset link.',
|
||||
'username_help_bottom' => 'Your username and email address <em>may</em> be the same, but may not be, depending on your configuration. If you cannot remember your username, contact your administrator. <br><br><strong>Usernames without an associated email address will not be emailed a password reset link.</strong> ',
|
||||
'google_login' => 'Login with Google Workspace',
|
||||
'username_help_bottom' => 'Ang iyong username at email address <em>ay maaaring</em> pareho, ngunit maaaring hindi, depende sa iyong configuration. Kung hindi mo maalala ang iyong username, kontakin ang iyong administrator. <br><br><strong>Ang mga Username na walang kaugnay na email address ay hindi makakatanggap ng email ng password reset link.</strong> ',
|
||||
'google_login' => 'Mag-login gamit ang Google Workspace',
|
||||
'google_login_failed' => 'Google Login failed, please try again.',
|
||||
];
|
||||
|
||||
|
|
|
@ -10,7 +10,7 @@ return array(
|
|||
'throttle' => 'Too many failed login attempts. Please try again in :minutes minutes.',
|
||||
|
||||
'two_factor' => array(
|
||||
'already_enrolled' => 'Your device is already enrolled.',
|
||||
'already_enrolled' => 'Ang iyong device ay nakarehistro na.',
|
||||
'success' => 'Ikaw ay matagumay na naka-log in.',
|
||||
'code_required' => 'Two-factor code is required.',
|
||||
'invalid_code' => 'Two-factor code is invalid.',
|
||||
|
|
|
@ -88,10 +88,11 @@ return [
|
|||
'updated_at' => 'Na-update sa',
|
||||
'currency' => '$', // this is deprecated
|
||||
'current' => 'Ang kasalukuyan',
|
||||
'current_password' => 'Current Password',
|
||||
'current_password' => 'Kasalukuyang Password',
|
||||
'customize_report' => 'Customize Report',
|
||||
'custom_report' => 'I-kustom ang Report ng Asset',
|
||||
'dashboard' => 'Ang Dashboard',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'mga araw',
|
||||
'days_to_next_audit' => 'Mga Araw para sa Sumusunod na Audit',
|
||||
'date' => 'Ang Petsa',
|
||||
|
@ -121,12 +122,13 @@ return [
|
|||
'error' => 'Error',
|
||||
'exclude_archived' => 'Exclude Archived Assets',
|
||||
'exclude_deleted' => 'Exclude Deleted Assets',
|
||||
'example' => 'Example: ',
|
||||
'example' => 'Halimbawa: ',
|
||||
'filastname_format' => 'Ang Unang Inisyal Huling Pangalan (jsmith@example.com)',
|
||||
'firstname_lastname_format' => 'Unang Pangalan Huling Pangalan (jane.smith@example.com)',
|
||||
'firstname_lastname_underscore_format' => 'Unang Pangalan Huling Pangalan (jane.smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Last Name First Initial (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'First Name Last Name (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Last Name First Name (Smith Jane)',
|
||||
'name_display_format' => 'Name Display Format',
|
||||
|
@ -217,6 +219,8 @@ return [
|
|||
'no' => 'Hindi',
|
||||
'notes' => 'Ang mga Paalala',
|
||||
'note_added' => 'Note Added',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Consumable|:count Consumables',
|
||||
'components' => ':count Component|:count Components',
|
||||
],
|
||||
|
||||
'more_info' => 'Karagdagang Impormasyon',
|
||||
'quickscan_bulk_help' => 'Checking this box will edit the asset record to reflect this new location. Leaving it unchecked will simply note the location in the audit log. Note that if this asset is checked out, it will not change the location of the person, asset or location it is checked out to.',
|
||||
'whoops' => 'Whoops!',
|
||||
|
@ -577,4 +582,9 @@ return [
|
|||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Add a note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -2,9 +2,9 @@
|
|||
|
||||
return [
|
||||
'about_templates' => 'About Saved Templates',
|
||||
'saving_templates_description' => 'Select your options, then enter the name of your template in the box above and click the \'Save Template\' button. Use the dropdown to select a previously saved template.',
|
||||
'saving_templates_description' => 'Sélectionnez vos options, puis entrez le nom de votre modèle dans la case ci-dessus et cliquez sur le bouton \'Enregistrer le modèle\'. Utilisez le menu déroulant pour sélectionner un modèle précédemment enregistré.',
|
||||
'create' => [
|
||||
'success' => 'Template saved successfully',
|
||||
'success' => 'Modèle sauvegardé avec succès',
|
||||
],
|
||||
'update' => [
|
||||
'success' => 'Template updated successfully',
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'Mot de passe bind LDAP',
|
||||
'ldap_basedn' => 'Bind de base DN',
|
||||
'ldap_filter' => 'Filtre LDAP',
|
||||
'ldap_pw_sync' => 'Synchronisation du mot de passe LDAP',
|
||||
'ldap_pw_sync_help' => 'Décochez cette case si vous ne souhaitez pas conserver les mots de passe LDAP synchronisés avec les mots de passe locaux. Cette désactivation signifie que vos utilisateurs ne pourront plus se connecter si votre serveur LDAP est injoignable pour une raison quelconque.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Champ nom d\'utilisateur',
|
||||
'ldap_lname_field' => 'Nom de famille',
|
||||
'ldap_fname_field' => 'Prénom LDAP',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Purger les enregistrements supprimés',
|
||||
'ldap_extension_warning' => 'Il semble que l\'extension LDAP ne soit pas installée ou activée sur ce serveur. Vous pouvez toujours enregistrer vos paramètres, mais vous devrez activer l\'extension LDAP pour PHP avant que la synchronisation LDAP ne fonctionne.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Numéro d’employé',
|
||||
'create_admin_user' => 'Créer un utilisateur ::',
|
||||
'create_admin_success' => 'Bravo ! Votre utilisateur administrateur a été ajouté !',
|
||||
|
|
|
@ -36,6 +36,9 @@ return [
|
|||
'testing_authentication' => 'Test de l\'authentification LDAP...',
|
||||
'authentication_success' => 'Utilisateur authentifié contre LDAP avec succès !'
|
||||
],
|
||||
'labels' => [
|
||||
'null_template' => 'Label template not found. Please select a template.',
|
||||
],
|
||||
'webhook' => [
|
||||
'sending' => 'Envoi du message de test :app...',
|
||||
'success' => 'Votre intégration :webhook_name fonctionne !',
|
||||
|
@ -46,5 +49,6 @@ return [
|
|||
'error_redirect' => 'ERREUR : 301/302 :endpoint renvoie une redirection. Pour des raisons de sécurité, nous ne suivons pas les redirections. Veuillez utiliser le point de terminaison réel.',
|
||||
'error_misc' => 'Une erreur est survenue. :( ',
|
||||
'webhook_fail' => ' webhook notification failed: Check to make sure the URL is still valid.',
|
||||
'webhook_channel_not_found' => ' webhook channel not found.'
|
||||
]
|
||||
];
|
||||
|
|
|
@ -64,7 +64,7 @@ return [
|
|||
'checkout' => 'Associer',
|
||||
'checkouts_count' => 'Associations',
|
||||
'checkins_count' => 'Dissociations',
|
||||
'checkin_and_delete' => 'Checkin and Delete',
|
||||
'checkin_and_delete' => 'Enregistrement et suppression',
|
||||
'user_requests_count' => 'Demandes',
|
||||
'city' => 'Ville',
|
||||
'click_here' => 'Cliquez ici',
|
||||
|
@ -78,7 +78,7 @@ return [
|
|||
'consumables' => 'Consommables',
|
||||
'country' => 'Pays',
|
||||
'could_not_restore' => 'Erreur lors de la restauration de :item_type: :error',
|
||||
'not_deleted' => 'The :item_type was not deleted and therefore cannot be restored',
|
||||
'not_deleted' => 'Le :item_type n\'a pas été supprimé et ne peut donc pas être restauré',
|
||||
'create' => 'Créer',
|
||||
'created' => 'Élément créé',
|
||||
'created_asset' => 'Actif créé',
|
||||
|
@ -92,6 +92,7 @@ return [
|
|||
'customize_report' => 'Personnaliser le rapport',
|
||||
'custom_report' => 'Rapport d\'actif personnalisé',
|
||||
'dashboard' => 'Tableau de bord',
|
||||
'data_source' => 'Data Source',
|
||||
'days' => 'journées',
|
||||
'days_to_next_audit' => 'Jours avant la prochaine vérification',
|
||||
'date' => 'Date',
|
||||
|
@ -99,7 +100,7 @@ return [
|
|||
'debug_warning_text' => 'Cette application fonctionne en mode de production avec le débogage activé. Cela peut exposer des données sensibles si votre application est accessible au monde extérieur. Désactivez le mode de débogage en définissant la valeur <code> APP_DEBUG </ code> dans votre fichier <code> .env </ code> sur <code> false </ code>.',
|
||||
'delete' => 'Supprimer',
|
||||
'delete_confirm' => 'Êtes-vous certain de vouloir supprimer :item?',
|
||||
'delete_confirm_no_undo' => 'Are you sure, you wish to delete :item? This cannot be undone.',
|
||||
'delete_confirm_no_undo' => 'Êtes-vous sûr de vouloir supprimer :item ? Cette action est irréversible.',
|
||||
'deleted' => 'Supprimé',
|
||||
'delete_seats' => 'Places supprimées',
|
||||
'deletion_failed' => 'Échec de la suppression',
|
||||
|
@ -127,6 +128,7 @@ return [
|
|||
'firstname_lastname_underscore_format' => 'Prénom Nom (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Nom de famille Première lettre du prénom (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Première lettre du prénom et nom de famille (j.smith@example.com)',
|
||||
'lastname_dot_firstinitial_format' => 'Last Name First Initial (smith.j@example.com)',
|
||||
'firstname_lastname_display' => 'Prénom Nom (Jane Smith)',
|
||||
'lastname_firstname_display' => 'Nom Prénom (Smith Jane)',
|
||||
'name_display_format' => 'Format d\'affichage du nom',
|
||||
|
@ -159,7 +161,7 @@ return [
|
|||
'image_upload' => 'Charger une image',
|
||||
'filetypes_accepted_help' => 'Le type de fichier accepté est :types. La taille maximale autorisée est :size.|Les types de fichiers acceptés sont :types. La taille maximale autorisée est :size.',
|
||||
'filetypes_size_help' => 'La taille maximale de téléversement autorisée est :size.',
|
||||
'image_filetypes_help' => 'Accepted Filetypes are jpg, webp, png, gif, svg, and avif. The maximum upload size allowed is :size.',
|
||||
'image_filetypes_help' => 'Les types de fichiers acceptés sont jpg, webp, png, gif, svg et avif. La taille maximale du fichier autorisée est :size.',
|
||||
'unaccepted_image_type' => 'Ce fichier image n\'est pas lisible. Les types de fichiers acceptés sont jpg, webp, png, gif et svg. Le type mimetype de ce fichier est : :mimetype.',
|
||||
'import' => 'Importer',
|
||||
'import_this_file' => 'Champs de la carte et traiter ce fichier',
|
||||
|
@ -216,12 +218,14 @@ return [
|
|||
'no_results' => 'Pas de résultat.',
|
||||
'no' => 'Non',
|
||||
'notes' => 'Notes',
|
||||
'note_added' => 'Note Added',
|
||||
'add_note' => 'Add Note',
|
||||
'note_edited' => 'Note Edited',
|
||||
'edit_note' => 'Edit Note',
|
||||
'note_deleted' => 'Note Deleted',
|
||||
'delete_note' => 'Delete Note',
|
||||
'note_added' => 'Note ajoutée',
|
||||
'options' => 'Options',
|
||||
'preview' => 'Preview',
|
||||
'add_note' => 'Ajouter une note',
|
||||
'note_edited' => 'Note modifiée',
|
||||
'edit_note' => 'Modifier la note',
|
||||
'note_deleted' => 'Note supprimée',
|
||||
'delete_note' => 'Supprimer la note',
|
||||
'order_number' => 'Numéro de commande',
|
||||
'only_deleted' => 'Seulement les matériels supprimés',
|
||||
'page_menu' => 'Afficher_MENU_items',
|
||||
|
@ -236,7 +240,7 @@ return [
|
|||
'purchase_date' => 'Date d\'achat',
|
||||
'qty' => 'QTÉ',
|
||||
'quantity' => 'Quantité',
|
||||
'quantity_minimum' => 'You have one item below or almost below minimum quantity levels|You have :count items below or almost below minimum quantity levels',
|
||||
'quantity_minimum' => 'Vous avez un élément en dessous ou presque en dessous des niveaux de quantité minimum|Vous avez :count éléments en dessous ou presque en dessous des niveaux de quantité minimum',
|
||||
'quickscan_checkin' => 'Retour rapide',
|
||||
'quickscan_checkin_status' => 'Statut du retour',
|
||||
'ready_to_deploy' => 'Prêt à être déployé',
|
||||
|
@ -286,10 +290,10 @@ return [
|
|||
'site_name' => 'Nom du Site',
|
||||
'state' => 'État',
|
||||
'status_labels' => 'Étiquette de statut',
|
||||
'status_label' => 'Status Label',
|
||||
'status_label' => 'Libellé du statut',
|
||||
'status' => 'Statut',
|
||||
'accept_eula' => 'Contrat de licence',
|
||||
'show_or_hide_eulas' => 'Show/Hide EULAs',
|
||||
'show_or_hide_eulas' => 'Afficher/Masquer les EULAs',
|
||||
'supplier' => 'Fournisseur',
|
||||
'suppliers' => 'Fournisseurs',
|
||||
'sure_to_delete' => 'Êtes-vous sûr de vouloir supprimer ?',
|
||||
|
@ -308,7 +312,7 @@ return [
|
|||
'username_format' => 'Format du nom d\'utilisateur',
|
||||
'username' => 'Nom d\'utilisateur',
|
||||
'update' => 'Actualiser',
|
||||
'updating_item' => 'Updating :item',
|
||||
'updating_item' => 'Mise à jour de :item',
|
||||
'upload_filetypes_help' => 'Les types de fichiers autorisés sont png, gif, jpg, jpeg, doc, docx, pdf, xls, xlsx, txt, lic, xml, zip, rtf et rar. La taille maximale autorisée est :size.',
|
||||
'uploaded' => 'Téléversement réussi',
|
||||
'user' => 'Utilisateur',
|
||||
|
@ -358,7 +362,7 @@ return [
|
|||
'setup_step_4' => 'Étape 4',
|
||||
'setup_config_check' => 'Vérification de la configuration',
|
||||
'setup_create_database' => 'Créer les tables de la base de données',
|
||||
'setup_create_admin' => 'Create an admin user',
|
||||
'setup_create_admin' => 'Créer un administrateur',
|
||||
'setup_done' => 'Terminé !',
|
||||
'bulk_edit_about_to' => 'Vous êtes sur le point de modifier les éléments suivants : ',
|
||||
'checked_out' => 'Affecté',
|
||||
|
@ -428,14 +432,14 @@ return [
|
|||
'bulk_soft_delete' =>'Supprimer ces utilisateurs également. Leur historique de matériel restera intact jusqu\'à ce que vous les supprimiez définitivement depuis le panneau de configuration de l\'administrateur.',
|
||||
'bulk_checkin_delete_success' => 'Les utilisateurs sélectionnés ont été supprimés et leurs matériels ont été dissociés.',
|
||||
'bulk_checkin_success' => 'Les articles des utilisateurs sélectionnés ont été dissociés.',
|
||||
'set_to_null' => 'Delete values for this selection|Delete values for all :selection_count selections ',
|
||||
'set_to_null' => 'Supprimer les valeurs pour cette sélection|Supprimer les valeurs pour toutes les sélections :selection_count ',
|
||||
'set_users_field_to_null' => 'Supprimer les valeurs du champ :field pour cet·te utilisateur·trice|Supprimer les valeurs du champ :field pour les :user_count utilisateurs·trices ',
|
||||
'na_no_purchase_date' => 'NC - Pas de date d\'achat renseignée',
|
||||
'assets_by_status' => 'Matériels par statut',
|
||||
'assets_by_status_type' => 'Matériels par type de status',
|
||||
'pie_chart_type' => 'Type de diagramme circulaire',
|
||||
'hello_name' => 'Bonjour, :name!',
|
||||
'unaccepted_profile_warning' => 'You have one item requiring acceptance. Click here to accept or decline it | You have :count items requiring acceptance. Click here to accept or decline them',
|
||||
'unaccepted_profile_warning' => 'Vous avez un élément à valider. Cliquez ici pour accepter ou refuser | Vous avez :count éléments nécessitant une validation. Cliquez ici pour les accepter ou les refuser',
|
||||
'start_date' => 'Date de début',
|
||||
'end_date' => 'Date de fin',
|
||||
'alt_uploaded_image_thumbnail' => 'Miniature téléchargée',
|
||||
|
@ -561,6 +565,7 @@ return [
|
|||
'consumables' => ':count Consommable|:count Consommables',
|
||||
'components' => ':count Composant|:count Composants',
|
||||
],
|
||||
|
||||
'more_info' => 'Plus d\'info',
|
||||
'quickscan_bulk_help' => 'Si vous cochez cette case, l\'enregistrement de l\'actif sera modifié pour refléter ce nouvel emplacement. Si elle n\'est pas cochée, l\'emplacement sera simplement noté dans le journal d\'audit. Notez que si ce bien est sorti, il ne changera pas l\'emplacement de la personne, du bien ou de l\'emplacement auquel il est sorti.',
|
||||
'whoops' => 'Oups !',
|
||||
|
@ -569,12 +574,17 @@ return [
|
|||
'expires' => 'Expire le',
|
||||
'map_fields'=> 'Map :item_type Fields',
|
||||
'remaining_var' => ':count restant',
|
||||
'label' => 'Label',
|
||||
'import_asset_tag_exists' => 'An asset with the asset tag :asset_tag already exists and an update was not requested. No change was made.',
|
||||
'countries_manually_entered_help' => 'Values with an asterisk (*) were manually entered and do not match existing ISO 3166 dropdown values',
|
||||
'accessories_assigned' => 'Assigned Accessories',
|
||||
'user_managed_passwords' => 'Password Management',
|
||||
'user_managed_passwords_disallow' => 'Disallow users from managing their own passwords',
|
||||
'user_managed_passwords_allow' => 'Allow users to manage their own passwords',
|
||||
'label' => 'Étiquette',
|
||||
'import_asset_tag_exists' => 'Un actif avec la balise d\'actif :asset_tag existe déjà et une mise à jour n\'a pas été demandée. Aucune modification n\'a été apportée.',
|
||||
'countries_manually_entered_help' => 'Les valeurs avec un astérisque (*) ont été saisies manuellement et ne correspondent pas aux valeurs du menu déroulant ISO 3166 existantes',
|
||||
'accessories_assigned' => 'Accessoires assignés',
|
||||
'user_managed_passwords' => 'Gestion des mots de passe',
|
||||
'user_managed_passwords_disallow' => 'Interdire aux utilisateurs de gérer leurs propres mots de passe',
|
||||
'user_managed_passwords_allow' => 'Permettre aux utilisateurs de gérer leurs propres mots de passe',
|
||||
|
||||
// Add form placeholders here
|
||||
'placeholders' => [
|
||||
'notes' => 'Ajouter une note',
|
||||
],
|
||||
|
||||
];
|
||||
|
|
|
@ -109,8 +109,8 @@ return [
|
|||
'ldap_pword' => 'Pasfhocal Bind LDAP',
|
||||
'ldap_basedn' => 'Base Bind DN',
|
||||
'ldap_filter' => 'Scagaire LDAP',
|
||||
'ldap_pw_sync' => 'Sync Pasfhocal LDAP',
|
||||
'ldap_pw_sync_help' => 'Déan an bosca seo a dhíscriosadh mura mian leat pasfhocail LDAP a choinneáil ar a dtugtar le pasfhocail áitiúla. Ciallaíonn sé seo go bhféadfadh do úsáideoirí logáil isteach má tá do fhreastalaí LDAP neamhshuim ar chúis éigin.',
|
||||
'ldap_pw_sync' => 'Cache LDAP Passwords',
|
||||
'ldap_pw_sync_help' => 'Uncheck this box if you do not wish to keep LDAP passwords cached as local hashed passwords. Disabling this means that your users may not be able to login if your LDAP server is unreachable for some reason.',
|
||||
'ldap_username_field' => 'Réimse Ainm Úsáideora',
|
||||
'ldap_lname_field' => 'Ainm deiridh',
|
||||
'ldap_fname_field' => 'Céadainm LDAP',
|
||||
|
@ -330,6 +330,10 @@ return [
|
|||
'purge_help' => 'Taifid Scriosta Purge',
|
||||
'ldap_extension_warning' => 'It does not look like the LDAP extension is installed or enabled on this server. You can still save your settings, but you will need to enable the LDAP extension for PHP before LDAP syncing or login will work.',
|
||||
'ldap_ad' => 'LDAP/AD',
|
||||
'ldap_test_label' => 'Test LDAP Sync',
|
||||
'ldap_test_login' => ' Test LDAP Login',
|
||||
'ldap_username_placeholder' => 'LDAP Username',
|
||||
'ldap_password_placeholder' => 'LDAP Password',
|
||||
'employee_number' => 'Employee Number',
|
||||
'create_admin_user' => 'Create a User ::',
|
||||
'create_admin_success' => 'Success! Your admin user has been added!',
|
||||
|
|
Some files were not shown because too many files have changed in this diff Show more
Loading…
Reference in a new issue