mirror of
https://github.com/snipe/snipe-it.git
synced 2024-11-09 23:24:06 -08:00
Merge remote-tracking branch 'origin/develop'
# Conflicts: # config/version.php
This commit is contained in:
commit
eb423c252a
|
@ -1,4 +1,4 @@
|
|||
FROM alpine:3.8
|
||||
FROM alpine:3.12
|
||||
# Apache + PHP
|
||||
RUN apk add --update --no-cache \
|
||||
apache2 \
|
||||
|
@ -23,6 +23,8 @@ RUN apk add --update --no-cache \
|
|||
php7-fileinfo \
|
||||
php7-simplexml \
|
||||
php7-session \
|
||||
php7-dom \
|
||||
php7-xmlwriter \
|
||||
curl \
|
||||
wget \
|
||||
vim \
|
||||
|
|
|
@ -105,7 +105,7 @@ class Handler extends ExceptionHandler
|
|||
protected function unauthenticated($request, AuthenticationException $exception)
|
||||
{
|
||||
if ($request->expectsJson()) {
|
||||
return response()->json(['error' => 'Unauthorized.'], 401);
|
||||
return response()->json(['error' => 'Unauthorized or unauthenticated.'], 401);
|
||||
}
|
||||
|
||||
return redirect()->guest('login');
|
||||
|
|
|
@ -67,7 +67,6 @@ class LocationsController extends Controller
|
|||
{
|
||||
$this->authorize('create', Location::class);
|
||||
$location = new Location();
|
||||
$location->id = null; // This is required to make Laravels different validation work, it errors if the parameter doesn't exist (maybe a bug)?
|
||||
$location->name = $request->input('name');
|
||||
$location->parent_id = $request->input('parent_id', null);
|
||||
$location->currency = $request->input('currency', '$');
|
||||
|
@ -132,7 +131,6 @@ class LocationsController extends Controller
|
|||
return redirect()->route('locations.index')->with('error', trans('admin/locations/message.does_not_exist'));
|
||||
}
|
||||
|
||||
|
||||
// Update the location data
|
||||
$location->name = $request->input('name');
|
||||
$location->parent_id = $request->input('parent_id', null);
|
||||
|
|
|
@ -577,6 +577,7 @@ class SettingsController extends Controller
|
|||
$setting->default_currency = $request->input('default_currency', '$');
|
||||
$setting->date_display_format = $request->input('date_display_format');
|
||||
$setting->time_display_format = $request->input('time_display_format');
|
||||
$setting->digit_separator = $request->input('digit_separator');
|
||||
|
||||
if ($setting->save()) {
|
||||
return redirect()->route('settings.index')
|
||||
|
|
|
@ -27,7 +27,7 @@ class SetupUserRequest extends Request
|
|||
'last_name' => 'required|string|min:1',
|
||||
'username' => 'required|string|min:2|unique:users,username,NULL,deleted_at',
|
||||
'email' => 'email|unique:users,email',
|
||||
'password' => 'required|min:6|confirmed',
|
||||
'password' => 'required|min:8|confirmed',
|
||||
'email_domain' => 'required|min:4',
|
||||
];
|
||||
}
|
||||
|
|
|
@ -28,7 +28,7 @@ class Location extends SnipeModel
|
|||
'address2' => 'max:80|nullable',
|
||||
'zip' => 'min:3|max:10|nullable',
|
||||
'manager_id' => 'exists:users,id|nullable',
|
||||
'parent_id' => 'nullable|exists:locations,id|different:id',
|
||||
'parent_id' => 'non_circular:locations,id'
|
||||
);
|
||||
|
||||
protected $casts = [
|
||||
|
|
|
@ -146,6 +146,7 @@ class AssetPresenter extends Presenter
|
|||
"searchable" => true,
|
||||
"sortable" => true,
|
||||
"title" => trans('general.purchase_cost'),
|
||||
"formatter" => 'numberWithCommas',
|
||||
"footerFormatter" => 'sumFormatter',
|
||||
], [
|
||||
"field" => "order_number",
|
||||
|
@ -360,18 +361,13 @@ class AssetPresenter extends Presenter
|
|||
/**
|
||||
* Get Displayable Name
|
||||
* @return string
|
||||
*
|
||||
* @todo this should be factored out - it should be subsumed by fullName (below)
|
||||
*
|
||||
**/
|
||||
public function name()
|
||||
{
|
||||
|
||||
if (empty($this->model->name)) {
|
||||
if (isset($this->model->model)) {
|
||||
return $this->model->model->name.' ('.$this->model->asset_tag.')';
|
||||
}
|
||||
return $this->model->asset_tag;
|
||||
}
|
||||
return $this->model->name . ' (' . $this->model->asset_tag . ')';
|
||||
|
||||
return $this->fullName;
|
||||
}
|
||||
|
||||
/**
|
||||
|
@ -381,13 +377,18 @@ class AssetPresenter extends Presenter
|
|||
public function fullName()
|
||||
{
|
||||
$str = '';
|
||||
|
||||
// Asset name
|
||||
if ($this->model->name) {
|
||||
$str .= $this->name;
|
||||
$str .= $this->model->name;
|
||||
}
|
||||
|
||||
// Asset tag
|
||||
if ($this->asset_tag) {
|
||||
$str .= ' ('.$this->model->asset_tag.')';
|
||||
}
|
||||
|
||||
// Asset Model name
|
||||
if ($this->model->model) {
|
||||
$str .= ' - '.$this->model->model->name;
|
||||
}
|
||||
|
|
|
@ -58,6 +58,52 @@ class ValidationServiceProvider extends ServiceProvider
|
|||
});
|
||||
|
||||
|
||||
// Prevent circular references
|
||||
//
|
||||
// Example usage in Location model where parent_id references another Location:
|
||||
//
|
||||
// protected $rules = array(
|
||||
// 'parent_id' => 'non_circular:locations,id,10'
|
||||
// );
|
||||
//
|
||||
Validator::extend('non_circular', function ($attribute, $value, $parameters, $validator) {
|
||||
if (count($parameters) < 2) {
|
||||
throw new \Exception('Required validator parameters: <table>,<primary key>[,depth]');
|
||||
}
|
||||
|
||||
// Parameters from the rule implementation ($pk will likely be 'id')
|
||||
$table = array_get($parameters, 0);
|
||||
$pk = array_get($parameters, 1);
|
||||
$depth = (int) array_get($parameters, 2, 50);
|
||||
|
||||
// Data from the edited model
|
||||
$data = $validator->getData();
|
||||
|
||||
// The primary key value from the edited model
|
||||
$data_pk = array_get($data, $pk);
|
||||
$value_pk = $value;
|
||||
|
||||
// If we’re editing an existing model and there is a parent value set…
|
||||
while ($data_pk && $value_pk) {
|
||||
|
||||
// It’s not valid for any parent id to be equal to the existing model’s id
|
||||
if ($data_pk == $value_pk) {
|
||||
return false;
|
||||
}
|
||||
|
||||
// Avoid accidental infinite loops
|
||||
if (--$depth < 0) {
|
||||
return false;
|
||||
}
|
||||
|
||||
// Get the next parent id
|
||||
$value_pk = DB::table($table)->select($attribute)->where($pk, '=', $value_pk)->value($attribute);
|
||||
}
|
||||
|
||||
return true;
|
||||
});
|
||||
|
||||
|
||||
// Yo dawg. I heard you like validators.
|
||||
// This validates the custom validator regex in custom fields.
|
||||
// We're just checking that the regex won't throw an exception, not
|
||||
|
|
|
@ -18,6 +18,7 @@
|
|||
"ext-mbstring": "*",
|
||||
"ext-pdo": "*",
|
||||
"adldap2/adldap2": "^10.2",
|
||||
"alek13/slack": "^1.12",
|
||||
"bacon/bacon-qr-code": "^1.0",
|
||||
"barryvdh/laravel-cors": "^0.11.3",
|
||||
"barryvdh/laravel-debugbar": "^3.2",
|
||||
|
@ -42,7 +43,6 @@
|
|||
"league/csv": "^9.5",
|
||||
"league/flysystem-aws-s3-v3": "^1.0",
|
||||
"league/flysystem-cached-adapter": "^1.0",
|
||||
"maknz/slack": "^1.7",
|
||||
"neitanod/forceutf8": "^2.0",
|
||||
"nesbot/carbon": "^2.32",
|
||||
"onelogin/php-saml": "^3.4",
|
||||
|
|
117
composer.lock
generated
117
composer.lock
generated
|
@ -4,7 +4,7 @@
|
|||
"Read more about it at https://getcomposer.org/doc/01-basic-usage.md#installing-dependencies",
|
||||
"This file is @generated automatically"
|
||||
],
|
||||
"content-hash": "68cf0fb2c06b12c9f8b58efbca2cd72b",
|
||||
"content-hash": "7783eb643ca64c048974950639324b0e",
|
||||
"packages": [
|
||||
{
|
||||
"name": "adldap2/adldap2",
|
||||
|
@ -65,6 +65,72 @@
|
|||
],
|
||||
"time": "2020-03-08T23:04:47+00:00"
|
||||
},
|
||||
{
|
||||
"name": "alek13/slack",
|
||||
"version": "1.12.0",
|
||||
"source": {
|
||||
"type": "git",
|
||||
"url": "https://github.com/php-slack/slack.git",
|
||||
"reference": "9db79a622803bf7baf0efafb50e37b900882f7fb"
|
||||
},
|
||||
"dist": {
|
||||
"type": "zip",
|
||||
"url": "https://api.github.com/repos/php-slack/slack/zipball/9db79a622803bf7baf0efafb50e37b900882f7fb",
|
||||
"reference": "9db79a622803bf7baf0efafb50e37b900882f7fb",
|
||||
"shasum": ""
|
||||
},
|
||||
"require": {
|
||||
"ext-json": "*",
|
||||
"ext-mbstring": "*",
|
||||
"guzzlehttp/guzzle": "~7.0|~6.0|~5.0|~4.0",
|
||||
"php": "^5.6|^7.0"
|
||||
},
|
||||
"require-dev": {
|
||||
"mockery/mockery": "0.9.*",
|
||||
"phpunit/phpunit": "4.2.*"
|
||||
},
|
||||
"type": "library",
|
||||
"extra": {
|
||||
"branch-alias": {
|
||||
"dev-master": "2.x-dev"
|
||||
}
|
||||
},
|
||||
"autoload": {
|
||||
"psr-4": {
|
||||
"Maknz\\Slack\\": "src/"
|
||||
}
|
||||
},
|
||||
"notification-url": "https://packagist.org/downloads/",
|
||||
"license": [
|
||||
"BSD-2-Clause"
|
||||
],
|
||||
"authors": [
|
||||
{
|
||||
"name": "maknz",
|
||||
"email": "github@mak.geek.nz"
|
||||
},
|
||||
{
|
||||
"name": "Alexander Chibrikin",
|
||||
"email": "alek13.me@gmail.com"
|
||||
}
|
||||
],
|
||||
"description": "A simple PHP package (fork of maknz/slack) for sending messages to Slack, with a focus on ease of use and elegant syntax.",
|
||||
"keywords": [
|
||||
"laravel",
|
||||
"slack"
|
||||
],
|
||||
"support": {
|
||||
"issues": "https://github.com/php-slack/slack/issues",
|
||||
"source": "https://github.com/php-slack/slack/tree/1.12.0"
|
||||
},
|
||||
"funding": [
|
||||
{
|
||||
"url": "https://donorbox.org/php-slack",
|
||||
"type": "custom"
|
||||
}
|
||||
],
|
||||
"time": "2020-09-01T18:22:43+00:00"
|
||||
},
|
||||
{
|
||||
"name": "asm89/stack-cors",
|
||||
"version": "1.3.0",
|
||||
|
@ -3058,55 +3124,6 @@
|
|||
],
|
||||
"time": "2019-07-13T18:58:26+00:00"
|
||||
},
|
||||
{
|
||||
"name": "maknz/slack",
|
||||
"version": "1.7.0",
|
||||
"source": {
|
||||
"type": "git",
|
||||
"url": "https://github.com/maknz/slack.git",
|
||||
"reference": "7f21fefc70c76b304adc1b3a780c8740dfcfb595"
|
||||
},
|
||||
"dist": {
|
||||
"type": "zip",
|
||||
"url": "https://api.github.com/repos/maknz/slack/zipball/7f21fefc70c76b304adc1b3a780c8740dfcfb595",
|
||||
"reference": "7f21fefc70c76b304adc1b3a780c8740dfcfb595",
|
||||
"shasum": ""
|
||||
},
|
||||
"require": {
|
||||
"ext-mbstring": "*",
|
||||
"guzzlehttp/guzzle": "~6.0|~5.0|~4.0",
|
||||
"php": ">=5.4.0"
|
||||
},
|
||||
"require-dev": {
|
||||
"mockery/mockery": "0.9.*",
|
||||
"phpunit/phpunit": "4.2.*"
|
||||
},
|
||||
"suggest": {
|
||||
"illuminate/support": "Required for Laravel support"
|
||||
},
|
||||
"type": "library",
|
||||
"autoload": {
|
||||
"psr-4": {
|
||||
"Maknz\\Slack\\": "src/"
|
||||
}
|
||||
},
|
||||
"notification-url": "https://packagist.org/downloads/",
|
||||
"license": [
|
||||
"BSD-2-Clause"
|
||||
],
|
||||
"authors": [
|
||||
{
|
||||
"name": "maknz",
|
||||
"email": "github@mak.geek.nz"
|
||||
}
|
||||
],
|
||||
"description": "A simple PHP package for sending messages to Slack, with a focus on ease of use and elegant syntax. Includes Laravel support out of the box.",
|
||||
"keywords": [
|
||||
"laravel",
|
||||
"slack"
|
||||
],
|
||||
"time": "2015-06-03T03:35:16+00:00"
|
||||
},
|
||||
{
|
||||
"name": "masterminds/html5",
|
||||
"version": "2.7.0",
|
||||
|
|
|
@ -1,10 +1,10 @@
|
|||
<?php
|
||||
return array (
|
||||
'app_version' => 'v5.0.11',
|
||||
'full_app_version' => 'v5.0.11 - build 5695-gfd4ee6027',
|
||||
'build_version' => '5695',
|
||||
'app_version' => 'v5.0.12',
|
||||
'full_app_version' => 'v5.0.12 - build 5705-gf1d0d1bfe',
|
||||
'build_version' => '5705',
|
||||
'prerelease_version' => '',
|
||||
'hash_version' => 'gfd4ee6027',
|
||||
'full_hash' => 'v5.0.11-13-gfd4ee6027',
|
||||
'hash_version' => 'gf1d0d1bfe',
|
||||
'full_hash' => 'v5.0.12-8-gf1d0d1bfe',
|
||||
'branch' => 'master',
|
||||
);
|
|
@ -0,0 +1,32 @@
|
|||
<?php
|
||||
|
||||
use Illuminate\Support\Facades\Schema;
|
||||
use Illuminate\Database\Schema\Blueprint;
|
||||
use Illuminate\Database\Migrations\Migration;
|
||||
|
||||
class AddDigitSeparatorToSettings extends Migration
|
||||
{
|
||||
/**
|
||||
* Run the migrations.
|
||||
*
|
||||
* @return void
|
||||
*/
|
||||
public function up()
|
||||
{
|
||||
Schema::table('settings', function (Blueprint $table) {
|
||||
$table->char('digit_separator')->nullable()->default('1234.56');
|
||||
});
|
||||
}
|
||||
|
||||
/**
|
||||
* Reverse the migrations.
|
||||
*
|
||||
* @return void
|
||||
*/
|
||||
public function down()
|
||||
{
|
||||
Schema::table('settings', function (Blueprint $table) {
|
||||
$table->dropColumn('digit_separator');
|
||||
});
|
||||
}
|
||||
}
|
|
@ -0,0 +1,38 @@
|
|||
<?php
|
||||
|
||||
use Illuminate\Database\Migrations\Migration;
|
||||
use Illuminate\Database\Schema\Blueprint;
|
||||
use Illuminate\Support\Facades\Schema;
|
||||
|
||||
class UpdateMinPassword extends Migration
|
||||
{
|
||||
/**
|
||||
* This migration solves the issue of settings with a minimum password requirement
|
||||
* that is below the actual Snipe-IT minimum requirement in v5 (min 5 became min 8).
|
||||
*
|
||||
* Even though we documented the change in all of the v5 releases, we were still
|
||||
* running into issues where admins did not update their password minimum length
|
||||
* and could not save settings elsewhere, and would not see a warning.
|
||||
*
|
||||
* @todo Loosen up the model level validation for the Settings model and rely on
|
||||
* FormRequests where it makes more sense. Having a form that returns no useful
|
||||
* errors is a bad design pattern.
|
||||
*
|
||||
* @return void
|
||||
*/
|
||||
public function up()
|
||||
{
|
||||
App\Models\Setting::where('pwd_secure_min', '<', '8')
|
||||
->update(['pwd_secure_min' => '8']);
|
||||
}
|
||||
|
||||
/**
|
||||
* Reverse the migrations.
|
||||
*
|
||||
* @return void
|
||||
*/
|
||||
public function down()
|
||||
{
|
||||
//
|
||||
}
|
||||
}
|
|
@ -13,7 +13,7 @@ class SettingsSeeder extends Seeder
|
|||
$settings->per_page = 20;
|
||||
$settings->site_name = 'Snipe-IT Demo';
|
||||
$settings->auto_increment_assets = 1;
|
||||
$settings->logo = 'logo.png';
|
||||
$settings->logo = 'snipe-logo.png';
|
||||
$settings->alert_email = 'service@snipe-it.io';
|
||||
$settings->header_color = null;
|
||||
$settings->barcode_type = 'QRCODE';
|
||||
|
|
|
@ -49,5 +49,7 @@ php artisan migrate --force
|
|||
php artisan config:clear
|
||||
php artisan config:cache
|
||||
|
||||
chown -R apache:root /var/www/html/storage/logs/laravel.log
|
||||
|
||||
export APACHE_LOG_DIR=/var/log/apache2
|
||||
exec httpd -DNO_DETACH < /dev/null
|
||||
|
|
Binary file not shown.
Binary file not shown.
Binary file not shown.
BIN
public/css/build/signature-pad.min.css
vendored
BIN
public/css/build/signature-pad.min.css
vendored
Binary file not shown.
BIN
public/css/dist/all.css
vendored
BIN
public/css/dist/all.css
vendored
Binary file not shown.
BIN
public/css/dist/bootstrap-table.css
vendored
BIN
public/css/dist/bootstrap-table.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-black-dark.css
vendored
BIN
public/css/dist/skins/skin-black-dark.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-black-dark.min.css
vendored
BIN
public/css/dist/skins/skin-black-dark.min.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-black.css
vendored
BIN
public/css/dist/skins/skin-black.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-blue-dark.css
vendored
BIN
public/css/dist/skins/skin-blue-dark.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-blue-dark.min.css
vendored
BIN
public/css/dist/skins/skin-blue-dark.min.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-blue.css
vendored
BIN
public/css/dist/skins/skin-blue.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-contrast.css
vendored
BIN
public/css/dist/skins/skin-contrast.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-contrast.min.css
vendored
BIN
public/css/dist/skins/skin-contrast.min.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-green-dark.css
vendored
BIN
public/css/dist/skins/skin-green-dark.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-green-dark.min.css
vendored
BIN
public/css/dist/skins/skin-green-dark.min.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-green.css
vendored
BIN
public/css/dist/skins/skin-green.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-orange-dark.css
vendored
BIN
public/css/dist/skins/skin-orange-dark.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-orange-dark.min.css
vendored
BIN
public/css/dist/skins/skin-orange-dark.min.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-orange.css
vendored
BIN
public/css/dist/skins/skin-orange.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-purple-dark.css
vendored
BIN
public/css/dist/skins/skin-purple-dark.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-purple-dark.min.css
vendored
BIN
public/css/dist/skins/skin-purple-dark.min.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-purple.css
vendored
BIN
public/css/dist/skins/skin-purple.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-red-dark.css
vendored
BIN
public/css/dist/skins/skin-red-dark.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-red-dark.min.css
vendored
BIN
public/css/dist/skins/skin-red-dark.min.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-red.css
vendored
BIN
public/css/dist/skins/skin-red.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-yellow-dark.css
vendored
BIN
public/css/dist/skins/skin-yellow-dark.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-yellow-dark.min.css
vendored
BIN
public/css/dist/skins/skin-yellow-dark.min.css
vendored
Binary file not shown.
BIN
public/css/dist/skins/skin-yellow.css
vendored
BIN
public/css/dist/skins/skin-yellow.css
vendored
Binary file not shown.
BIN
public/img/demo/snipe-logo-bug.png
Normal file
BIN
public/img/demo/snipe-logo-bug.png
Normal file
Binary file not shown.
After Width: | Height: | Size: 22 KiB |
Binary file not shown.
Before Width: | Height: | Size: 17 KiB |
Binary file not shown.
Before Width: | Height: | Size: 22 KiB After Width: | Height: | Size: 17 KiB |
Binary file not shown.
Binary file not shown.
BIN
public/js/dist/all.js
vendored
BIN
public/js/dist/all.js
vendored
Binary file not shown.
BIN
public/js/dist/bootstrap-table.js
vendored
BIN
public/js/dist/bootstrap-table.js
vendored
Binary file not shown.
|
@ -1,38 +1,38 @@
|
|||
{
|
||||
"/js/build/app.js": "/js/build/app.js?id=648e026d19aa24504e0f",
|
||||
"/css/build/AdminLTE.css": "/css/build/AdminLTE.css?id=59413334823616b81341",
|
||||
"/css/build/app.css": "/css/build/app.css?id=032fd8c3fce99c7fd862",
|
||||
"/css/build/overrides.css": "/css/build/overrides.css?id=0b4aefd7ef0c117ef23a",
|
||||
"/css/dist/skins/skin-blue.css": "/css/dist/skins/skin-blue.css?id=9fa704134cfacfacab93",
|
||||
"/css/dist/skins/skin-red.css": "/css/dist/skins/skin-red.css?id=747948e5f269f64047f7",
|
||||
"/css/dist/skins/skin-contrast.css": "/css/dist/skins/skin-contrast.css?id=d7996d850e8bcdc4e167",
|
||||
"/css/dist/skins/skin-green.css": "/css/dist/skins/skin-green.css?id=eb25d2ec49f730d09431",
|
||||
"/css/dist/skins/skin-green-dark.css": "/css/dist/skins/skin-green-dark.css?id=eb4404a7b646ea42e025",
|
||||
"/css/dist/skins/skin-black.css": "/css/dist/skins/skin-black.css?id=35602987835e5d50d162",
|
||||
"/css/dist/skins/skin-black-dark.css": "/css/dist/skins/skin-black-dark.css?id=5789dd8af07b08034581",
|
||||
"/css/dist/skins/skin-red-dark.css": "/css/dist/skins/skin-red-dark.css?id=2e9f90ff200d4e9f45a8",
|
||||
"/css/dist/skins/skin-purple.css": "/css/dist/skins/skin-purple.css?id=b6dcb6d5c666fc5c8cc0",
|
||||
"/css/dist/skins/skin-purple-dark.css": "/css/dist/skins/skin-purple-dark.css?id=8150adf2e5f70ec3eb00",
|
||||
"/css/dist/skins/skin-yellow.css": "/css/dist/skins/skin-yellow.css?id=cb85a4e40e784319e878",
|
||||
"/css/dist/skins/skin-yellow-dark.css": "/css/dist/skins/skin-yellow-dark.css?id=5fc4a3cf9407c6a9d398",
|
||||
"/css/dist/skins/skin-blue-dark.css": "/css/dist/skins/skin-blue-dark.css?id=2f665cf40d7348b3f94c",
|
||||
"/css/dist/skins/skin-orange-dark.css": "/css/dist/skins/skin-orange-dark.css?id=5267e92a8df9ba833e01",
|
||||
"/css/dist/skins/skin-orange.css": "/css/dist/skins/skin-orange.css?id=b4fc4a74e1f6367dc3e2",
|
||||
"/css/dist/all.css": "/css/dist/all.css?id=199fdf677ce0dce6cef8",
|
||||
"/js/build/app.js": "/js/build/app.js?id=0f2b56f59544e601131b",
|
||||
"/css/build/AdminLTE.css": "/css/build/AdminLTE.css?id=5d8ce6b758f170008cd6",
|
||||
"/css/build/app.css": "/css/build/app.css?id=9b6ddbece1a3cfc99036",
|
||||
"/css/build/overrides.css": "/css/build/overrides.css?id=0a65220cdae6fbb6d913",
|
||||
"/css/dist/skins/skin-blue.css": "/css/dist/skins/skin-blue.css?id=07ea041939045be9f35e",
|
||||
"/css/dist/skins/skin-red.css": "/css/dist/skins/skin-red.css?id=9f62f7b52ce7bc11ddfd",
|
||||
"/css/dist/skins/skin-contrast.css": "/css/dist/skins/skin-contrast.css?id=cf23e72b9c963c5ab23a",
|
||||
"/css/dist/skins/skin-green.css": "/css/dist/skins/skin-green.css?id=77ce26763889742cbb58",
|
||||
"/css/dist/skins/skin-green-dark.css": "/css/dist/skins/skin-green-dark.css?id=b0e148606607e0b37024",
|
||||
"/css/dist/skins/skin-black.css": "/css/dist/skins/skin-black.css?id=87b54289d2c1370974d1",
|
||||
"/css/dist/skins/skin-black-dark.css": "/css/dist/skins/skin-black-dark.css?id=1d7bbdce51b6f4499215",
|
||||
"/css/dist/skins/skin-red-dark.css": "/css/dist/skins/skin-red-dark.css?id=c9e2feba8a06c5b23311",
|
||||
"/css/dist/skins/skin-purple.css": "/css/dist/skins/skin-purple.css?id=3e904c2867143e27aebf",
|
||||
"/css/dist/skins/skin-purple-dark.css": "/css/dist/skins/skin-purple-dark.css?id=da3b392add13bd3a718a",
|
||||
"/css/dist/skins/skin-yellow.css": "/css/dist/skins/skin-yellow.css?id=11813086909e31b3d753",
|
||||
"/css/dist/skins/skin-yellow-dark.css": "/css/dist/skins/skin-yellow-dark.css?id=9ef2dc916a64083f9c1c",
|
||||
"/css/dist/skins/skin-blue-dark.css": "/css/dist/skins/skin-blue-dark.css?id=775e088af6b1151ec134",
|
||||
"/css/dist/skins/skin-orange-dark.css": "/css/dist/skins/skin-orange-dark.css?id=3f1d75db372eb87d8d51",
|
||||
"/css/dist/skins/skin-orange.css": "/css/dist/skins/skin-orange.css?id=d1cda85cbff0723be5f7",
|
||||
"/css/dist/all.css": "/css/dist/all.css?id=fc64989106daf3be016b",
|
||||
"/css/blue.png": "/css/blue.png?id=4c85d6a97173123bd14a",
|
||||
"/css/blue@2x.png": "/css/blue@2x.png?id=62c67c6a822439e8a4ac",
|
||||
"/css/dist/skins/skin-green-dark.min.css": "/css/dist/skins/skin-green-dark.min.css?id=eb4404a7b646ea42e025",
|
||||
"/css/dist/skins/skin-black-dark.min.css": "/css/dist/skins/skin-black-dark.min.css?id=5789dd8af07b08034581",
|
||||
"/css/dist/skins/skin-blue-dark.min.css": "/css/dist/skins/skin-blue-dark.min.css?id=2f665cf40d7348b3f94c",
|
||||
"/css/dist/skins/skin-yellow-dark.min.css": "/css/dist/skins/skin-yellow-dark.min.css?id=5fc4a3cf9407c6a9d398",
|
||||
"/css/dist/skins/skin-red-dark.min.css": "/css/dist/skins/skin-red-dark.min.css?id=2e9f90ff200d4e9f45a8",
|
||||
"/css/dist/skins/skin-purple-dark.min.css": "/css/dist/skins/skin-purple-dark.min.css?id=8150adf2e5f70ec3eb00",
|
||||
"/css/dist/skins/skin-orange-dark.min.css": "/css/dist/skins/skin-orange-dark.min.css?id=5267e92a8df9ba833e01",
|
||||
"/css/dist/skins/skin-contrast.min.css": "/css/dist/skins/skin-contrast.min.css?id=d7996d850e8bcdc4e167",
|
||||
"/css/dist/skins/skin-green-dark.min.css": "/css/dist/skins/skin-green-dark.min.css?id=b0e148606607e0b37024",
|
||||
"/css/dist/skins/skin-black-dark.min.css": "/css/dist/skins/skin-black-dark.min.css?id=1d7bbdce51b6f4499215",
|
||||
"/css/dist/skins/skin-blue-dark.min.css": "/css/dist/skins/skin-blue-dark.min.css?id=775e088af6b1151ec134",
|
||||
"/css/dist/skins/skin-yellow-dark.min.css": "/css/dist/skins/skin-yellow-dark.min.css?id=9ef2dc916a64083f9c1c",
|
||||
"/css/dist/skins/skin-red-dark.min.css": "/css/dist/skins/skin-red-dark.min.css?id=c9e2feba8a06c5b23311",
|
||||
"/css/dist/skins/skin-purple-dark.min.css": "/css/dist/skins/skin-purple-dark.min.css?id=da3b392add13bd3a718a",
|
||||
"/css/dist/skins/skin-orange-dark.min.css": "/css/dist/skins/skin-orange-dark.min.css?id=3f1d75db372eb87d8d51",
|
||||
"/css/dist/skins/skin-contrast.min.css": "/css/dist/skins/skin-contrast.min.css?id=cf23e72b9c963c5ab23a",
|
||||
"/css/dist/signature-pad.css": "/css/dist/signature-pad.css?id=6a89d3cd901305e66ced",
|
||||
"/css/build/signature-pad.min.css": "/css/build/signature-pad.min.css?id=d41d8cd98f00b204e980",
|
||||
"/css/dist/bootstrap-table.css": "/css/dist/bootstrap-table.css?id=1e77fde04b3f42432581",
|
||||
"/js/build/vendor.js": "/js/build/vendor.js?id=b93877b4a88a76e1b18b",
|
||||
"/js/dist/bootstrap-table.js": "/js/dist/bootstrap-table.js?id=58d95c93430f2ae33392",
|
||||
"/js/dist/all.js": "/js/dist/all.js?id=b4627a6533d841cd8fdf"
|
||||
"/js/dist/all.js": "/js/dist/all.js?id=7a853099c33e2d354767"
|
||||
}
|
||||
|
|
|
@ -275,6 +275,9 @@ input[type=text], input[type=search] {
|
|||
.select2-container--default .select2-selection--single .select2-selection__rendered {
|
||||
color: var(--text-main);
|
||||
}
|
||||
.select2-container--default .select2-selection--multiple .select2-selection__choice {
|
||||
background-color: var(--header);
|
||||
}
|
||||
.select2-selection--single {
|
||||
background-color: var(--back-sub)!important;
|
||||
color: var(--text-main)!important;
|
||||
|
|
|
@ -141,6 +141,7 @@ a, a:link, a:visited, .btn-primary.hover {
|
|||
#assetsListingTable>tbody>tr>td>nobr>a>i.fa {
|
||||
color: var(--text-main);
|
||||
}
|
||||
|
||||
#assetsListingTable>tbody>tr.selected>td {
|
||||
background-color: var(--back-main);
|
||||
}
|
||||
|
@ -269,6 +270,9 @@ input[type=text], input[type=search] {
|
|||
.select2-container--default .select2-selection--single .select2-selection__rendered {
|
||||
color: var(--text-main);
|
||||
}
|
||||
.select2-container--default .select2-selection--multiple .select2-selection__choice {
|
||||
background-color: var(--header);
|
||||
}
|
||||
.select2-selection--single {
|
||||
background-color: var(--back-sub)!important;
|
||||
color: var(--text-main)!important;
|
||||
|
|
|
@ -289,6 +289,9 @@ li.select2-results__option{
|
|||
.select2-container--default .select2-selection--single .select2-selection__rendered {
|
||||
color: var(--text-main);
|
||||
}
|
||||
.select2-container--default .select2-selection--multiple .select2-selection__choice {
|
||||
background-color: var(--header);
|
||||
}
|
||||
.select2-selection--single {
|
||||
background-color: var(--back-sub)!important;
|
||||
color: var(--text-main)!important;
|
||||
|
|
|
@ -275,6 +275,9 @@ input[type=text], input[type=search] {
|
|||
.select2-container--default .select2-selection--single .select2-selection__rendered {
|
||||
color: var(--text-main);
|
||||
}
|
||||
.select2-container--default .select2-selection--multiple .select2-selection__choice {
|
||||
background-color: var(--header);
|
||||
}
|
||||
.select2-selection--single {
|
||||
background-color: var(--back-sub)!important;
|
||||
color: var(--text-main)!important;
|
||||
|
|
|
@ -275,6 +275,9 @@ input[type=text], input[type=search] {
|
|||
.select2-container--default .select2-selection--single .select2-selection__rendered {
|
||||
color: var(--text-main);
|
||||
}
|
||||
.select2-container--default .select2-selection--multiple .select2-selection__choice {
|
||||
background-color: var(--header);
|
||||
}
|
||||
.select2-selection--single {
|
||||
background-color: var(--back-sub)!important;
|
||||
color: var(--text-main)!important;
|
||||
|
|
|
@ -275,6 +275,9 @@ input[type=text], input[type=search] {
|
|||
.select2-container--default .select2-selection--single .select2-selection__rendered {
|
||||
color: var(--text-main);
|
||||
}
|
||||
.select2-container--default .select2-selection--multiple .select2-selection__choice {
|
||||
background-color: var(--header);
|
||||
}
|
||||
.select2-selection--single {
|
||||
background-color: var(--back-sub)!important;
|
||||
color: var(--text-main)!important;
|
||||
|
|
|
@ -275,6 +275,9 @@ input[type=text], input[type=search] {
|
|||
.select2-container--default .select2-selection--single .select2-selection__rendered {
|
||||
color: var(--text-main);
|
||||
}
|
||||
.select2-container--default .select2-selection--multiple .select2-selection__choice {
|
||||
background-color: var(--header);
|
||||
}
|
||||
.select2-selection--single {
|
||||
background-color: var(--back-sub)!important;
|
||||
color: var(--text-main)!important;
|
||||
|
|
|
@ -83,7 +83,7 @@ return array(
|
|||
'ldap_auth_filter_query' => 'استعلام مصادقة لداب',
|
||||
'ldap_version' => 'إصدار لداب',
|
||||
'ldap_active_flag' => 'لداب العلم النشط',
|
||||
'ldap_activated_flag_help' => 'This flag is used to determine whether a user can login to Snipe-IT and does not affect the ability to check items in or out to them.',
|
||||
'ldap_activated_flag_help' => 'يستخدم هذا العلم لتحديد ما إذا كان يمكن للمستخدم تسجيل الدخول إلى Snipe-IT ولا يؤثر على القدرة على التحقق من العناصر في أو خارجها.',
|
||||
'ldap_emp_num' => 'رقم موظف لداب',
|
||||
'ldap_email' => 'بريد لداب',
|
||||
'license' => 'ترخيص البرنامج',
|
||||
|
|
|
@ -79,7 +79,7 @@
|
|||
'depreciation_report' => 'تقرير الإستهلاك',
|
||||
'details' => 'التفاصيل',
|
||||
'download' => 'تحميل',
|
||||
'download_all' => 'Download All',
|
||||
'download_all' => 'تنزيل الكل',
|
||||
'depreciation' => 'الإستهلاك',
|
||||
'editprofile' => 'تعديل الملف الشخصي',
|
||||
'eol' => 'نهاية العمر',
|
||||
|
@ -114,8 +114,8 @@
|
|||
'image_upload' => 'رفع صورة',
|
||||
'image_filetypes_help' => 'أنواع الملفات المقبولة هي jpg و png و gif و svg. الحد الأقصى لحجم التحميل المسموح به هو: الحجم.',
|
||||
'import' => 'استيراد',
|
||||
'importing' => 'Importing',
|
||||
'importing_help' => 'You can import assets, accessories, licenses, components, consumables, and users via CSV file. <br><br>The CSV should be comma-delimited and formatted with headers that match the ones in the <a href="https://snipe-it.readme.io/docs/importing" target="_new">sample CSVs in the documentation</a>.',
|
||||
'importing' => 'الاستيراد',
|
||||
'importing_help' => 'يمكنك استيراد الأصول، الملحقات، التراخيص، المكونات، المواد الاستهلاكية، والمستخدمين عبر ملف CSV. <br><br>يجب أن تكون CSV محددة بفواصل وأن يتم تنسيقها مع رؤوس تطابق تلك الموجودة في <a href="https://snipe-it.readme.io/docs/importing" target="_new">عينة CSVs في الوثائق</a>.',
|
||||
'import-history' => 'استيراد الأرشيف',
|
||||
'asset_maintenance' => 'صيانة الأصول',
|
||||
'asset_maintenance_report' => 'تقرير صيانة الأصول',
|
||||
|
@ -239,9 +239,9 @@
|
|||
'login_enabled' => 'تسجيل الدخول مفعل',
|
||||
'audit_due' => 'الواجب مراجعته',
|
||||
'audit_overdue' => 'مراجعة الحسابات المتأخرة',
|
||||
'accept' => 'Accept :asset',
|
||||
'i_accept' => 'I accept',
|
||||
'i_decline' => 'I decline',
|
||||
'sign_tos' => 'Sign below to indicate that you agree to the terms of service:',
|
||||
'clear_signature' => 'Clear Signature'
|
||||
'accept' => 'قبول :asset',
|
||||
'i_accept' => 'قبول',
|
||||
'i_decline' => 'أنا أرفض',
|
||||
'sign_tos' => 'قم بتسجيل الدخول أدناه للإشارة إلى أنك توافق على شروط الخدمة:',
|
||||
'clear_signature' => 'مسح التوقيع'
|
||||
];
|
||||
|
|
|
@ -73,7 +73,7 @@ return array(
|
|||
'Asset_Checkin_Notification' => 'Asset checked in',
|
||||
'License_Checkin_Notification' => 'License checked in',
|
||||
'Expected_Checkin_Report' => 'Expected asset checkin report',
|
||||
'Expected_Checkin_Notification' => 'Reminder: :name checkin deadline approaching',
|
||||
'Expected_Checkin_Date' => 'An asset checked out to you is due to be checked back in on :date',
|
||||
'your_assets' => 'View Your Assets'
|
||||
'Expected_Checkin_Notification' => 'تذكير: تاريخ تحقق :name يقترب من الموعد النهائي',
|
||||
'Expected_Checkin_Date' => 'من المقرر أن يتم التحقق من الأصول التي تم إخراجها إليك في :date',
|
||||
'your_assets' => 'عرض الأصول الخاصة بك'
|
||||
);
|
||||
|
|
|
@ -15,7 +15,7 @@ return array(
|
|||
'address' => 'Adresse',
|
||||
'zip' => 'Postleitzahl',
|
||||
'locations' => 'Standorte',
|
||||
'parent' => 'Hauptkategorie',
|
||||
'parent' => 'Übergeordneter Standort',
|
||||
'currency' => 'Landeswährung',
|
||||
'ldap_ou' => 'LDAP OU Suche',
|
||||
);
|
||||
|
|
|
@ -83,7 +83,7 @@ return array(
|
|||
'ldap_auth_filter_query' => 'LDAP Authentifikationsabfrage',
|
||||
'ldap_version' => 'LDAP Version',
|
||||
'ldap_active_flag' => 'LDAP Aktiv-Markierung',
|
||||
'ldap_activated_flag_help' => 'This flag is used to determine whether a user can login to Snipe-IT and does not affect the ability to check items in or out to them.',
|
||||
'ldap_activated_flag_help' => 'Diese Einstellung steuert, ob sich ein Benutzer bei Snipe-IT anmelden kann und hat keinen Einfluss auf die Möglichkeit, Elemente auszugeben oder zurück zu nehmen.',
|
||||
'ldap_emp_num' => 'LDAP Mitarbeiternummer',
|
||||
'ldap_email' => 'LDAP E-Mail',
|
||||
'license' => 'Softwarelizenz',
|
||||
|
|
|
@ -10,10 +10,10 @@ return array(
|
|||
'deployable' => 'Einsetzbar',
|
||||
'info' => 'Status Label werden eingesetzt um diverse Stati Ihrer Assets zu beschreiben. Diese können zB. in Reparatur sein, Gestohlen oder Verlohren worden sein. Sie können neue Status Labels für Einsetzbare, Unerledigte und Archivierte Assets erstellen.',
|
||||
'name' => 'Statusname',
|
||||
'pending' => 'Unerledigt',
|
||||
'pending' => 'Ausstehend',
|
||||
'status_type' => 'Statustyp',
|
||||
'show_in_nav' => 'Im seitlichen Navigationsbereich zeigen',
|
||||
'title' => 'Statusbezeichnungen',
|
||||
'undeployable' => 'nicht Einsetzbar',
|
||||
'undeployable' => 'Nicht einsetzbar',
|
||||
'update' => 'Statusbezeichnung bearbeiten',
|
||||
);
|
||||
|
|
|
@ -79,7 +79,7 @@
|
|||
'depreciation_report' => 'Abschreibungsbericht',
|
||||
'details' => 'Details',
|
||||
'download' => 'Download',
|
||||
'download_all' => 'Download All',
|
||||
'download_all' => 'Alle herunterladen',
|
||||
'depreciation' => 'Abschreibung',
|
||||
'editprofile' => 'Profil bearbeiten',
|
||||
'eol' => 'EOL',
|
||||
|
@ -114,8 +114,8 @@
|
|||
'image_upload' => 'Bild hinzufügen',
|
||||
'image_filetypes_help' => 'Erlaubte Dateitypen sind jpg, png, gif und svg. Die maximal erlaubte Upload-Größe beträgt :size.',
|
||||
'import' => 'Import',
|
||||
'importing' => 'Importing',
|
||||
'importing_help' => 'You can import assets, accessories, licenses, components, consumables, and users via CSV file. <br><br>The CSV should be comma-delimited and formatted with headers that match the ones in the <a href="https://snipe-it.readme.io/docs/importing" target="_new">sample CSVs in the documentation</a>.',
|
||||
'importing' => 'Importiere',
|
||||
'importing_help' => 'Sie können Assets, Zubehör, Lizenzen, Komponenten, Verbrauchsmaterialien und Benutzer mittels CSV-Datei importieren. <br><br>Die CSV-Datei sollte kommagetrennt sein und eine Kopfzeile enthalten, die mit den <a href="https://snipe-it.readme.io/docs/importing" target="_new">Beispiel-CSVs aus der Dokumentation</a> übereinstimmen.',
|
||||
'import-history' => 'Import Verlauf',
|
||||
'asset_maintenance' => 'Asset Wartung',
|
||||
'asset_maintenance_report' => 'Asset Wartungsbericht',
|
||||
|
@ -220,7 +220,7 @@
|
|||
'unknown_admin' => 'Unbekannter Administrator',
|
||||
'username_format' => 'Format der Benutzernamen',
|
||||
'update' => 'Aktualisieren',
|
||||
'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.',
|
||||
'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',
|
||||
'accepted' => 'angenommen',
|
||||
|
|
|
@ -29,7 +29,7 @@ return array(
|
|||
'days' => 'Tage',
|
||||
'expecting_checkin_date' => 'Erwartetes Rückgabedatum:',
|
||||
'expires' => 'Ablaufdatum',
|
||||
'Expiring_Assets_Report' => 'Bericht über Ablaufende Gegenstände.',
|
||||
'Expiring_Assets_Report' => 'Bericht über ablaufende Gegenstände.',
|
||||
'Expiring_Licenses_Report' => 'Bericht über ablaufende Lizenzen.',
|
||||
'hello' => 'Hallo',
|
||||
'hi' => 'Hallo',
|
||||
|
@ -72,8 +72,8 @@ return array(
|
|||
'Accessory_Checkin_Notification' => 'Zubehör zurückgenommen',
|
||||
'Asset_Checkin_Notification' => 'Asset zurückgenommen',
|
||||
'License_Checkin_Notification' => 'Lizenz zurückgenommen',
|
||||
'Expected_Checkin_Report' => 'Expected asset checkin report',
|
||||
'Expected_Checkin_Notification' => 'Reminder: :name checkin deadline approaching',
|
||||
'Expected_Checkin_Report' => 'Bericht über erwartete Asset Rückgaben',
|
||||
'Expected_Checkin_Notification' => 'Erinnerung: :name Rückgabedatum nähert sich',
|
||||
'Expected_Checkin_Date' => 'Ihr ausgebuchtes Asset ist fällig zur Rückgabe am :date',
|
||||
'your_assets' => 'Ihre Assets anzeigen'
|
||||
);
|
||||
|
|
|
@ -57,12 +57,12 @@ return array(
|
|||
'array' => 'Das: -Attribut darf nicht mehr als: maximale Elemente haben.',
|
||||
],
|
||||
'mimes' => ':attribute muss eine Datei des Typs :values sein.',
|
||||
'mimetypes' => 'Das Attribut muss eine Datei vom Typ:: Werte sein.',
|
||||
'mimetypes' => ':attribute muss eine Datei vom Typ: :values sein.',
|
||||
'min' => [
|
||||
'numeric' => ':attribute muss kleiner als :min sein.',
|
||||
'file' => ':attribute muss mindestens :min Kilobyte groß sein.',
|
||||
'string' => ':attribute benötigt mindestens :min Zeichen.',
|
||||
'array' => 'Das Attribut: muss mindestens enthalten: Min. Elemente.',
|
||||
'array' => ':attribute muss mindestens :min Elemente enthalten.',
|
||||
],
|
||||
'not_in' => 'Auswahl :attribute ist ungültig.',
|
||||
'numeric' => ':attribute muss eine Zahl sein.',
|
||||
|
@ -71,7 +71,7 @@ return array(
|
|||
'regex' => ':attribute Format ungültig.',
|
||||
'required' => ':attribute Feld muss ausgefüllt sein.',
|
||||
'required_if' => ':attribute wird benötigt wenn :other :value entspricht.',
|
||||
'required_unless' => 'Das: Attributfeld ist erforderlich, es sei denn: other ist in: values.',
|
||||
'required_unless' => 'Das :attribute Feld ist erforderlich, es sei denn :other ist in :values.',
|
||||
'required_with' => ':attribute wird benötigt wenn :value ausgewählt ist.',
|
||||
'required_with_all' => 'Das: Attributfeld ist erforderlich, wenn: Werte vorhanden sind.',
|
||||
'required_without' => ':attribute wird benötigt wenn :value nicht ausgewählt ist.',
|
||||
|
|
|
@ -89,6 +89,7 @@ return array(
|
|||
'uploaded' => 'The :attribute failed to upload.',
|
||||
'url' => 'The :attribute format is invalid.',
|
||||
"unique_undeleted" => "The :attribute must be unique.",
|
||||
"non_circular" => "The :attribute must not create a circular reference.",
|
||||
|
||||
/*
|
||||
|--------------------------------------------------------------------------
|
||||
|
|
|
@ -20,6 +20,6 @@ return array(
|
|||
'title' => 'Equipo ',
|
||||
'image' => 'Imagen de dispositivo',
|
||||
'days_without_acceptance' => 'Días Sin Aceptación',
|
||||
'monthly_depreciation' => 'Monthly Depreciation'
|
||||
'monthly_depreciation' => 'Depreciación mensual'
|
||||
|
||||
);
|
||||
|
|
|
@ -8,7 +8,7 @@ return array(
|
|||
'owner_doesnt_match_asset' => 'El equipo al que estas intentando asignar esta licenciam, está asignado a un usuario diferente que el de la licencia.',
|
||||
'assoc_users' => 'Esta categoría está asignada al menos a un modelo y no puede ser eliminada.',
|
||||
'select_asset_or_person' => 'Debe seleccionar un activo o un usuario, pero no ambos.',
|
||||
'not_found' => 'License not found',
|
||||
'not_found' => 'Licencia no encontrada',
|
||||
|
||||
|
||||
'create' => array(
|
||||
|
|
|
@ -4,9 +4,9 @@ return array(
|
|||
'ad' => 'Directorio Activo',
|
||||
'ad_domain' => 'Dominio del Directorio Activo',
|
||||
'ad_domain_help' => 'Esto es a veces el mismo que su correo electrónico de dominio, pero no siempre.',
|
||||
'ad_append_domain_label' => 'Append domain name',
|
||||
'ad_append_domain' => 'Append domain name to username field',
|
||||
'ad_append_domain_help' => 'User isn\'t required to write "username@domain.local", they can just type "username".' ,
|
||||
'ad_append_domain_label' => 'Añadir nombre de dominio',
|
||||
'ad_append_domain' => 'Añadir nombre de dominio al campo de nombre de usuario',
|
||||
'ad_append_domain_help' => 'El usuario no necesita escribir "username@domain.local", puede escribir únicamente "username".' ,
|
||||
'admin_cc_email' => 'Email CC',
|
||||
'admin_cc_email_help' => 'Si deseas enviar una notificación por correo electrónico de las asignaciones de activos que se envían a los usuarios a una cuenta adicional, ingrésela aquí. De lo contrario, deja este campo en blanco.',
|
||||
'is_ad' => 'Este es un servidor de Directorio Activo',
|
||||
|
@ -25,7 +25,7 @@ return array(
|
|||
'backups' => 'Copias de seguridad',
|
||||
'barcode_settings' => 'Configuración de Código de Barras',
|
||||
'confirm_purge' => 'Confirmar la purga',
|
||||
'confirm_purge_help' => 'Enter the text "DELETE" in the box below to purge your deleted records. This action cannot be undone and will PERMANENTLY delete all soft-deleted items and users. (You should make a backup first, just to be safe.)',
|
||||
'confirm_purge_help' => 'Introduzca el texto "DELETE" en el cuadro de abajo para purgar sus registros borrados. Esta acción no se puede deshacer y borrará PERMANENTAMENTE todos los elementos y usuarios eliminados. (Se recomienda hacer una copia de seguridad previamente, para estar seguro.)',
|
||||
'custom_css' => 'CSS Personalizado',
|
||||
'custom_css_help' => 'Ingrese cualquier CSS personalizado que desee utilizar. No incluya tags como: <style></style>.',
|
||||
'custom_forgot_pass_url' => 'Reestablecer URL de Contraseña Personalizada',
|
||||
|
@ -41,23 +41,23 @@ return array(
|
|||
'display_eol' => 'Mostrar EOL',
|
||||
'display_qr' => 'Mostrar Códigos QR',
|
||||
'display_alt_barcode' => 'Mostrar códigos de barras en 1D',
|
||||
'email_logo' => 'Email Logo',
|
||||
'email_logo' => 'Logo de Email',
|
||||
'barcode_type' => 'Tipo de códigos de barras 2D',
|
||||
'alt_barcode_type' => 'Tipo de códigos de barras 1D',
|
||||
'email_logo_size' => 'Square logos in email look best. ',
|
||||
'email_logo_size' => 'Los logotipos cuadrados en el correo electrónico se ven mejor. ',
|
||||
'eula_settings' => 'Configuración EULA',
|
||||
'eula_markdown' => 'Este EULS permite <a href="https://help.github.com/articles/github-flavored-markdown/">makrdown estilo Github</a>.',
|
||||
'favicon' => 'Favicon',
|
||||
'favicon_format' => 'Accepted filetypes are ico, png, and gif. Other image formats may not work in all browsers.',
|
||||
'favicon_size' => 'Favicons should be square images, 16x16 pixels.',
|
||||
'favicon_format' => 'Los tipos de archivo aceptados son ico, png y gif. Otros formatos de imagen pueden no funcionar en todos los navegadores.',
|
||||
'favicon_size' => 'Los Favicons deben ser imágenes cuadradas, 16x16 píxeles.',
|
||||
'footer_text' => 'Texto Adicional de Pie de Página ',
|
||||
'footer_text_help' => 'Este texto aparecerá en el lado derecho del pie de página. Los enlaces son permitidos usando <a href="https://help.github.com/articles/github-flavored-markdown/">el formato flavored de GitHub</a>. Saltos de línea, cabeceras, imágenes, etc, pueden resultar impredecibles.',
|
||||
'general_settings' => 'Configuración General',
|
||||
'generate_backup' => 'Generar Respaldo',
|
||||
'header_color' => 'Color de encabezado',
|
||||
'info' => 'Estos parámetros permirten personalizar ciertos aspectos de la aplicación.',
|
||||
'label_logo' => 'Label Logo',
|
||||
'label_logo_size' => 'Square logos look best - will be displayed in the top right of each asset label. ',
|
||||
'label_logo' => 'Logo de etiqueta',
|
||||
'label_logo_size' => 'Los logos cuadrados se ven mejor - se mostrarán en la parte superior derecha de cada etiqueta de activo. ',
|
||||
'laravel' => 'Versión de Laravel',
|
||||
'ldap_enabled' => 'LDAP activado',
|
||||
'ldap_integration' => 'Integración LDAP',
|
||||
|
@ -99,7 +99,7 @@ return array(
|
|||
'login_remote_user_custom_logout_url_text' => 'URL de cierre de sesión personalizado',
|
||||
'login_remote_user_custom_logout_url_help' => 'Si se proporciona una url aquí, los usuarios serán redirigidos a esta URL después de que el usuario cierre la sesión de Snipe-IT. Esto es útil para cerrar correctamente las sesiones de usuario de su proveedor de autenticación.',
|
||||
'login_remote_user_header_name_text' => 'Custom user name header',
|
||||
'login_remote_user_header_name_help' => 'Use the specified header instead of REMOTE_USER',
|
||||
'login_remote_user_header_name_help' => 'Usar la cabecera especificada en lugar de REMOTE_USER',
|
||||
'logo' => 'Logo',
|
||||
'logo_print_assets' => 'Utilizar en impresión',
|
||||
'logo_print_assets_help' => 'Utilice la marca en las listas de activos imprimibles ',
|
||||
|
@ -114,20 +114,20 @@ return array(
|
|||
'pwd_secure_complexity' => 'Complejidad de la contraseña',
|
||||
'pwd_secure_complexity_help' => 'Seleccione las reglas de complejidad de las contraseñas que desee aplicar.',
|
||||
'pwd_secure_min' => 'Caracteres mínimos de contraseña',
|
||||
'pwd_secure_min_help' => 'Minimum permitted value is 8',
|
||||
'pwd_secure_min_help' => 'El valor mínimo permitido es 8',
|
||||
'pwd_secure_uncommon' => 'Evitar contraseñas comunes',
|
||||
'pwd_secure_uncommon_help' => 'Esto impedirá que los usuarios usen contraseñas comunes de las 10,000 contraseñas principales que se notifican en las infracciones.',
|
||||
'qr_help' => 'Activa Códigos QR antes para poder ver esto',
|
||||
'qr_text' => 'Texto Código QR',
|
||||
'saml_enabled' => 'SAML enabled',
|
||||
'saml_integration' => 'SAML Integration',
|
||||
'saml_sp_entityid' => 'Entity ID',
|
||||
'saml_enabled' => 'SAML activado',
|
||||
'saml_integration' => 'Integración SAML',
|
||||
'saml_sp_entityid' => 'ID de la entidad',
|
||||
'saml_sp_acs_url' => 'Assertion Consumer Service (ACS) URL',
|
||||
'saml_sp_sls_url' => 'Single Logout Service (SLS) URL',
|
||||
'saml_sp_x509cert' => 'Public Certificate',
|
||||
'saml_sp_x509cert' => 'Certificado público',
|
||||
'saml_idp_metadata' => 'SAML IdP Metadata',
|
||||
'saml_idp_metadata_help' => 'You can specify the IdP metadata using a URL or XML file.',
|
||||
'saml_attr_mapping_username' => 'Attribute Mapping - Username',
|
||||
'saml_attr_mapping_username' => 'Mapeo de Atributos - Nombre de Usuario',
|
||||
'saml_attr_mapping_username_help' => 'NameID will be used if attribute mapping is unspecified or invalid.',
|
||||
'saml_forcelogin_label' => 'SAML Force Login',
|
||||
'saml_forcelogin' => 'Make SAML the primary login',
|
||||
|
@ -218,5 +218,5 @@ return array(
|
|||
'unique_serial' => 'Números de serie únicos',
|
||||
'unique_serial_help_text' => 'Al marcar esta casilla se forzarán números de serie únicos a los activos',
|
||||
'zerofill_count' => 'Longitud de etiquetas de activos, incluyendo relleno de ceros',
|
||||
'username_format_help' => 'This setting will only be used by the import process if a username is not provided and we have to generate a username for you.',
|
||||
'username_format_help' => 'Esta configuración sólo será utilizada por el proceso de importación si no se proporciona un nombre de usuario y tenemos que generar un nombre de usuario para usted.',
|
||||
);
|
||||
|
|
|
@ -19,7 +19,7 @@ return array(
|
|||
'ldap_config_text' => 'Las configuraciones de LDAP estàn en: Admin -> Settings. La ubicaciòn seleccionadada sera asignada a todos los usuarios importados.',
|
||||
'print_assigned' => 'Imprimir todos los Asignados',
|
||||
'software_user' => 'Software asignado a :name',
|
||||
'send_email_help' => 'You must provide an email address for this user to send them credentials. Emailing credentials can only be done on user creation. Passwords are stored in a one-way hash and cannot be retrieved once saved.',
|
||||
'send_email_help' => 'Debe proporcionar una dirección de correo electrónico para este usuario para enviarle credenciales. Únicamente pueden enviarse credenciales por correo eléctronico durante la creación del usuario. Las contraseñas se almacenan en un hash de un solo sentido y no se pueden recuperar una vez guardadas.',
|
||||
'view_user' => 'Ver Usuario :name',
|
||||
'usercsv' => 'Archivo CSV',
|
||||
'two_factor_admin_optin_help' => 'La actual configuración de administración permite cumplimiento selectivo de autenticación de dos factores. ',
|
||||
|
|
|
@ -12,7 +12,7 @@ return array(
|
|||
'insufficient_permissions' => 'No tiene permiso.',
|
||||
'user_deleted_warning' => 'Este usuario ha sido eliminado. Deberá restaurarlo para editarlo o asignarle nuevos Equipos.',
|
||||
'ldap_not_configured' => 'La integración con LDAP no ha sido configurada para esta instalación.',
|
||||
'password_resets_sent' => 'The selected users who are activated and have a valid email addresses have been sent a password reset link.',
|
||||
'password_resets_sent' => 'A los usuarios seleccionados que están activados y tienen una dirección de correo electrónico válida se les ha enviado un enlace de restablecimiento de contraseña.',
|
||||
|
||||
|
||||
'success' => array(
|
||||
|
|
|
@ -30,7 +30,7 @@
|
|||
'bulkaudit' => 'Auditoría masiva',
|
||||
'bulkaudit_status' => 'Estado de auditoría',
|
||||
'bulk_checkout' => 'Procesar en Lote',
|
||||
'bystatus' => 'by Status',
|
||||
'bystatus' => 'por Estado',
|
||||
'cancel' => 'Cancelar',
|
||||
'categories' => 'Categorías',
|
||||
'category' => 'Categoría',
|
||||
|
@ -58,7 +58,7 @@
|
|||
'created' => 'Artículo creado',
|
||||
'created_asset' => 'equipo creado',
|
||||
'created_at' => 'Creado el',
|
||||
'record_created' => 'Record Created',
|
||||
'record_created' => 'Registro Creado',
|
||||
'updated_at' => 'Actualizado en',
|
||||
'currency' => '€', // this is deprecated
|
||||
'current' => 'Actual',
|
||||
|
@ -79,7 +79,7 @@
|
|||
'depreciation_report' => 'Informe de amortización',
|
||||
'details' => 'Detalles',
|
||||
'download' => 'Descargar',
|
||||
'download_all' => 'Download All',
|
||||
'download_all' => 'Descargar todo',
|
||||
'depreciation' => 'Amortización',
|
||||
'editprofile' => 'Editar Perfil',
|
||||
'eol' => 'EOL',
|
||||
|
@ -90,11 +90,11 @@
|
|||
'firstname_lastname_format' => 'Primer Nombre y Apellido (jane.smith@ejemplo.com)',
|
||||
'firstname_lastname_underscore_format' => 'Primer Nombre y Apellido (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Apellido First Initial (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Inicial Apellido (j.smith@ejemplo.com)',
|
||||
'first' => 'Primero',
|
||||
'firstnamelastname' => 'First Name Last Name (janesmith@example.com)',
|
||||
'lastname_firstinitial' => 'Last Name First Initial (smith_j@example.com)',
|
||||
'firstinitial.lastname' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'firstnamelastname' => 'Nombre Apellido (jane.smith@ejemplo.com)',
|
||||
'lastname_firstinitial' => 'Apellido Inicial (smith_j@ejemplo.com)',
|
||||
'firstinitial.lastname' => 'Inicial Apellido (j.smith@ejemplo.com)',
|
||||
'firstnamelastinitial' => 'First Name Last Initial (janes@example.com)',
|
||||
'first_name' => 'Nombre',
|
||||
'first_name_format' => 'Primer Nombre (jane@ejemplo.com)',
|
||||
|
@ -114,7 +114,7 @@
|
|||
'image_upload' => 'Enviar imagen',
|
||||
'image_filetypes_help' => 'Los tipos de archivo aceptados son jpg, png, gif y svg. El tamaño máximo permitido es :size.',
|
||||
'import' => 'Importar',
|
||||
'importing' => 'Importing',
|
||||
'importing' => 'Importando',
|
||||
'importing_help' => 'You can import assets, accessories, licenses, components, consumables, and users via CSV file. <br><br>The CSV should be comma-delimited and formatted with headers that match the ones in the <a href="https://snipe-it.readme.io/docs/importing" target="_new">sample CSVs in the documentation</a>.',
|
||||
'import-history' => 'Historial de Importación',
|
||||
'asset_maintenance' => 'Mantenimiento de Equipo',
|
||||
|
|
|
@ -73,7 +73,7 @@ return array(
|
|||
'Asset_Checkin_Notification' => 'Activo devuelto',
|
||||
'License_Checkin_Notification' => 'Licencia devuelta',
|
||||
'Expected_Checkin_Report' => 'Expected asset checkin report',
|
||||
'Expected_Checkin_Notification' => 'Reminder: :name checkin deadline approaching',
|
||||
'Expected_Checkin_Notification' => 'Recordatorio: :name se acerca la fecha de devolución',
|
||||
'Expected_Checkin_Date' => 'Un activo asignado a ti debe ser devuelto en :date',
|
||||
'your_assets' => 'Ver tus activos'
|
||||
);
|
||||
|
|
|
@ -20,6 +20,6 @@ return array(
|
|||
'title' => 'Equipo ',
|
||||
'image' => 'Imagen de dispositivo',
|
||||
'days_without_acceptance' => 'Días Sin Aceptación',
|
||||
'monthly_depreciation' => 'Monthly Depreciation'
|
||||
'monthly_depreciation' => 'Depreciación mensual'
|
||||
|
||||
);
|
||||
|
|
|
@ -8,7 +8,7 @@ return array(
|
|||
'owner_doesnt_match_asset' => 'El equipo al que estas intentando asignar esta licenciam, está asignado a un usuario diferente que el de la licencia.',
|
||||
'assoc_users' => 'Esta categoría está asignada al menos a un modelo y no puede ser eliminada.',
|
||||
'select_asset_or_person' => 'Debe seleccionar un activo o un usuario, pero no ambos.',
|
||||
'not_found' => 'License not found',
|
||||
'not_found' => 'Licencia no encontrada',
|
||||
|
||||
|
||||
'create' => array(
|
||||
|
|
|
@ -4,9 +4,9 @@ return array(
|
|||
'ad' => 'Directorio Activo',
|
||||
'ad_domain' => 'Dominio del Directorio Activo',
|
||||
'ad_domain_help' => 'Esto es a veces el mismo que su correo electrónico de dominio, pero no siempre.',
|
||||
'ad_append_domain_label' => 'Append domain name',
|
||||
'ad_append_domain' => 'Append domain name to username field',
|
||||
'ad_append_domain_help' => 'User isn\'t required to write "username@domain.local", they can just type "username".' ,
|
||||
'ad_append_domain_label' => 'Añadir nombre de dominio',
|
||||
'ad_append_domain' => 'Añadir nombre de dominio al campo de nombre de usuario',
|
||||
'ad_append_domain_help' => 'El usuario no necesita escribir "username@domain.local", puede escribir únicamente "username".' ,
|
||||
'admin_cc_email' => 'Email CC',
|
||||
'admin_cc_email_help' => 'Si deseas enviar una notificación por correo electrónico de las asignaciones de activos que se envían a los usuarios a una cuenta adicional, ingrésela aquí. De lo contrario, deja este campo en blanco.',
|
||||
'is_ad' => 'Este es un servidor de Directorio Activo',
|
||||
|
@ -25,7 +25,7 @@ return array(
|
|||
'backups' => 'Copias de seguridad',
|
||||
'barcode_settings' => 'Configuración de Código de Barras',
|
||||
'confirm_purge' => 'Confirmar la purga',
|
||||
'confirm_purge_help' => 'Enter the text "DELETE" in the box below to purge your deleted records. This action cannot be undone and will PERMANENTLY delete all soft-deleted items and users. (You should make a backup first, just to be safe.)',
|
||||
'confirm_purge_help' => 'Introduzca el texto "DELETE" en el cuadro de abajo para purgar sus registros borrados. Esta acción no se puede deshacer y borrará PERMANENTAMENTE todos los elementos y usuarios eliminados. (Se recomienda hacer una copia de seguridad previamente, para estar seguro.)',
|
||||
'custom_css' => 'CSS Personalizado',
|
||||
'custom_css_help' => 'Ingrese cualquier CSS personalizado que desee utilizar. No incluya tags como: <style></style>.',
|
||||
'custom_forgot_pass_url' => 'Reestablecer URL de Contraseña Personalizada',
|
||||
|
@ -41,23 +41,23 @@ return array(
|
|||
'display_eol' => 'Mostrar EOL',
|
||||
'display_qr' => 'Mostrar Códigos QR',
|
||||
'display_alt_barcode' => 'Mostrar códigos de barras en 1D',
|
||||
'email_logo' => 'Email Logo',
|
||||
'email_logo' => 'Logo de Email',
|
||||
'barcode_type' => 'Tipo de códigos de barras 2D',
|
||||
'alt_barcode_type' => 'Tipo de códigos de barras 1D',
|
||||
'email_logo_size' => 'Square logos in email look best. ',
|
||||
'email_logo_size' => 'Los logotipos cuadrados en el correo electrónico se ven mejor. ',
|
||||
'eula_settings' => 'Configuración EULA',
|
||||
'eula_markdown' => 'Este EULS permite <a href="https://help.github.com/articles/github-flavored-markdown/">makrdown estilo Github</a>.',
|
||||
'favicon' => 'Favicon',
|
||||
'favicon_format' => 'Accepted filetypes are ico, png, and gif. Other image formats may not work in all browsers.',
|
||||
'favicon_size' => 'Favicons should be square images, 16x16 pixels.',
|
||||
'favicon_format' => 'Los tipos de archivo aceptados son ico, png y gif. Otros formatos de imagen pueden no funcionar en todos los navegadores.',
|
||||
'favicon_size' => 'Los Favicons deben ser imágenes cuadradas, 16x16 píxeles.',
|
||||
'footer_text' => 'Texto Adicional de Pie de Página ',
|
||||
'footer_text_help' => 'Este texto aparecerá en el lado derecho del pie de página. Los enlaces son permitidos usando <a href="https://help.github.com/articles/github-flavored-markdown/">el formato flavored de GitHub</a>. Saltos de línea, cabeceras, imágenes, etc, pueden resultar impredecibles.',
|
||||
'general_settings' => 'Configuración General',
|
||||
'generate_backup' => 'Generar Respaldo',
|
||||
'header_color' => 'Color de encabezado',
|
||||
'info' => 'Estos parámetros permirten personalizar ciertos aspectos de la aplicación.',
|
||||
'label_logo' => 'Label Logo',
|
||||
'label_logo_size' => 'Square logos look best - will be displayed in the top right of each asset label. ',
|
||||
'label_logo' => 'Logo de etiqueta',
|
||||
'label_logo_size' => 'Los logos cuadrados se ven mejor - se mostrarán en la parte superior derecha de cada etiqueta de activo. ',
|
||||
'laravel' => 'Versión de Laravel',
|
||||
'ldap_enabled' => 'LDAP activado',
|
||||
'ldap_integration' => 'Integración LDAP',
|
||||
|
@ -99,7 +99,7 @@ return array(
|
|||
'login_remote_user_custom_logout_url_text' => 'URL de cierre de sesión personalizado',
|
||||
'login_remote_user_custom_logout_url_help' => 'Si se proporciona una url aquí, los usuarios serán redirigidos a esta URL después de que el usuario cierre la sesión de Snipe-IT. Esto es útil para cerrar correctamente las sesiones de usuario de su proveedor de autenticación.',
|
||||
'login_remote_user_header_name_text' => 'Custom user name header',
|
||||
'login_remote_user_header_name_help' => 'Use the specified header instead of REMOTE_USER',
|
||||
'login_remote_user_header_name_help' => 'Usar la cabecera especificada en lugar de REMOTE_USER',
|
||||
'logo' => 'Logo',
|
||||
'logo_print_assets' => 'Utilizar en impresión',
|
||||
'logo_print_assets_help' => 'Utilice la marca en las listas de activos imprimibles ',
|
||||
|
@ -114,20 +114,20 @@ return array(
|
|||
'pwd_secure_complexity' => 'Complejidad de la contraseña',
|
||||
'pwd_secure_complexity_help' => 'Seleccione las reglas de complejidad de las contraseñas que desee aplicar.',
|
||||
'pwd_secure_min' => 'Caracteres mínimos de contraseña',
|
||||
'pwd_secure_min_help' => 'Minimum permitted value is 8',
|
||||
'pwd_secure_min_help' => 'El valor mínimo permitido es 8',
|
||||
'pwd_secure_uncommon' => 'Evitar contraseñas comunes',
|
||||
'pwd_secure_uncommon_help' => 'Esto impedirá que los usuarios usen contraseñas comunes de las 10,000 contraseñas principales que se notifican en las infracciones.',
|
||||
'qr_help' => 'Activa Códigos QR antes para poder ver esto',
|
||||
'qr_text' => 'Texto Código QR',
|
||||
'saml_enabled' => 'SAML enabled',
|
||||
'saml_integration' => 'SAML Integration',
|
||||
'saml_sp_entityid' => 'Entity ID',
|
||||
'saml_enabled' => 'SAML activado',
|
||||
'saml_integration' => 'Integración SAML',
|
||||
'saml_sp_entityid' => 'ID de la entidad',
|
||||
'saml_sp_acs_url' => 'Assertion Consumer Service (ACS) URL',
|
||||
'saml_sp_sls_url' => 'Single Logout Service (SLS) URL',
|
||||
'saml_sp_x509cert' => 'Public Certificate',
|
||||
'saml_sp_x509cert' => 'Certificado público',
|
||||
'saml_idp_metadata' => 'SAML IdP Metadata',
|
||||
'saml_idp_metadata_help' => 'You can specify the IdP metadata using a URL or XML file.',
|
||||
'saml_attr_mapping_username' => 'Attribute Mapping - Username',
|
||||
'saml_attr_mapping_username' => 'Mapeo de Atributos - Nombre de Usuario',
|
||||
'saml_attr_mapping_username_help' => 'NameID will be used if attribute mapping is unspecified or invalid.',
|
||||
'saml_forcelogin_label' => 'SAML Force Login',
|
||||
'saml_forcelogin' => 'Make SAML the primary login',
|
||||
|
@ -218,5 +218,5 @@ return array(
|
|||
'unique_serial' => 'Números de serie únicos',
|
||||
'unique_serial_help_text' => 'Al marcar esta casilla se forzarán números de serie únicos a los activos',
|
||||
'zerofill_count' => 'Longitud de etiquetas de activos, incluyendo relleno de ceros',
|
||||
'username_format_help' => 'This setting will only be used by the import process if a username is not provided and we have to generate a username for you.',
|
||||
'username_format_help' => 'Esta configuración sólo será utilizada por el proceso de importación si no se proporciona un nombre de usuario y tenemos que generar un nombre de usuario para usted.',
|
||||
);
|
||||
|
|
|
@ -19,7 +19,7 @@ return array(
|
|||
'ldap_config_text' => 'Las configuraciones de LDAP estàn en: Admin -> Settings. La ubicaciòn seleccionadada sera asignada a todos los usuarios importados.',
|
||||
'print_assigned' => 'Imprimir todos los Asignados',
|
||||
'software_user' => 'Software asignado a :name',
|
||||
'send_email_help' => 'You must provide an email address for this user to send them credentials. Emailing credentials can only be done on user creation. Passwords are stored in a one-way hash and cannot be retrieved once saved.',
|
||||
'send_email_help' => 'Debe proporcionar una dirección de correo electrónico para este usuario para enviarle credenciales. Únicamente pueden enviarse credenciales por correo eléctronico durante la creación del usuario. Las contraseñas se almacenan en un hash de un solo sentido y no se pueden recuperar una vez guardadas.',
|
||||
'view_user' => 'Ver Usuario :name',
|
||||
'usercsv' => 'Archivo CSV',
|
||||
'two_factor_admin_optin_help' => 'La actual configuración de administración permite cumplimiento selectivo de autenticación de dos factores. ',
|
||||
|
|
|
@ -12,7 +12,7 @@ return array(
|
|||
'insufficient_permissions' => 'No tiene permiso.',
|
||||
'user_deleted_warning' => 'Este usuario ha sido eliminado. Deberá restaurarlo para editarlo o asignarle nuevos Equipos.',
|
||||
'ldap_not_configured' => 'La integración con LDAP no ha sido configurada para esta instalación.',
|
||||
'password_resets_sent' => 'The selected users who are activated and have a valid email addresses have been sent a password reset link.',
|
||||
'password_resets_sent' => 'A los usuarios seleccionados que están activados y tienen una dirección de correo electrónico válida se les ha enviado un enlace de restablecimiento de contraseña.',
|
||||
|
||||
|
||||
'success' => array(
|
||||
|
|
|
@ -30,7 +30,7 @@
|
|||
'bulkaudit' => 'Auditoría masiva',
|
||||
'bulkaudit_status' => 'Estado de auditoría',
|
||||
'bulk_checkout' => 'Procesar en Lote',
|
||||
'bystatus' => 'by Status',
|
||||
'bystatus' => 'por Estado',
|
||||
'cancel' => 'Cancelar',
|
||||
'categories' => 'Categorías',
|
||||
'category' => 'Categoría',
|
||||
|
@ -58,7 +58,7 @@
|
|||
'created' => 'Artículo creado',
|
||||
'created_asset' => 'equipo creado',
|
||||
'created_at' => 'Creado el',
|
||||
'record_created' => 'Record Created',
|
||||
'record_created' => 'Registro Creado',
|
||||
'updated_at' => 'Actualizado en',
|
||||
'currency' => '€', // this is deprecated
|
||||
'current' => 'Actual',
|
||||
|
@ -79,7 +79,7 @@
|
|||
'depreciation_report' => 'Informe de amortización',
|
||||
'details' => 'Detalles',
|
||||
'download' => 'Descargar',
|
||||
'download_all' => 'Download All',
|
||||
'download_all' => 'Descargar todo',
|
||||
'depreciation' => 'Amortización',
|
||||
'editprofile' => 'Editar Perfil',
|
||||
'eol' => 'EOL',
|
||||
|
@ -90,11 +90,11 @@
|
|||
'firstname_lastname_format' => 'Primer Nombre y Apellido (jane.smith@ejemplo.com)',
|
||||
'firstname_lastname_underscore_format' => 'Primer Nombre y Apellido (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Apellido First Initial (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Inicial Apellido (j.smith@ejemplo.com)',
|
||||
'first' => 'Primero',
|
||||
'firstnamelastname' => 'First Name Last Name (janesmith@example.com)',
|
||||
'lastname_firstinitial' => 'Last Name First Initial (smith_j@example.com)',
|
||||
'firstinitial.lastname' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'firstnamelastname' => 'Nombre Apellido (jane.smith@ejemplo.com)',
|
||||
'lastname_firstinitial' => 'Apellido Inicial (smith_j@ejemplo.com)',
|
||||
'firstinitial.lastname' => 'Inicial Apellido (j.smith@ejemplo.com)',
|
||||
'firstnamelastinitial' => 'First Name Last Initial (janes@example.com)',
|
||||
'first_name' => 'Nombre',
|
||||
'first_name_format' => 'Primer Nombre (jane@ejemplo.com)',
|
||||
|
@ -114,7 +114,7 @@
|
|||
'image_upload' => 'Enviar imagen',
|
||||
'image_filetypes_help' => 'Los tipos de archivo aceptados son jpg, png, gif y svg. El tamaño máximo permitido es :size.',
|
||||
'import' => 'Importar',
|
||||
'importing' => 'Importing',
|
||||
'importing' => 'Importando',
|
||||
'importing_help' => 'You can import assets, accessories, licenses, components, consumables, and users via CSV file. <br><br>The CSV should be comma-delimited and formatted with headers that match the ones in the <a href="https://snipe-it.readme.io/docs/importing" target="_new">sample CSVs in the documentation</a>.',
|
||||
'import-history' => 'Historial de Importación',
|
||||
'asset_maintenance' => 'Mantenimiento de Equipo',
|
||||
|
|
|
@ -73,7 +73,7 @@ return array(
|
|||
'Asset_Checkin_Notification' => 'Activo devuelto',
|
||||
'License_Checkin_Notification' => 'Licencia devuelta',
|
||||
'Expected_Checkin_Report' => 'Expected asset checkin report',
|
||||
'Expected_Checkin_Notification' => 'Reminder: :name checkin deadline approaching',
|
||||
'Expected_Checkin_Notification' => 'Recordatorio: :name se acerca la fecha de devolución',
|
||||
'Expected_Checkin_Date' => 'Un activo asignado a ti debe ser devuelto en :date',
|
||||
'your_assets' => 'Ver tus activos'
|
||||
);
|
||||
|
|
|
@ -5,8 +5,8 @@ return array(
|
|||
'ad_domain' => 'Dominio del Directorio Activo',
|
||||
'ad_domain_help' => 'Esto es a veces el mismo que su correo electrónico de dominio, pero no siempre.',
|
||||
'ad_append_domain_label' => 'Añadir nombre de dominio',
|
||||
'ad_append_domain' => 'Append domain name to username field',
|
||||
'ad_append_domain_help' => 'User isn\'t required to write "username@domain.local", they can just type "username".' ,
|
||||
'ad_append_domain' => 'Añadir nombre de dominio al campo de nombre de usuario',
|
||||
'ad_append_domain_help' => 'El usuario no necesita escribir "username@domain.local", puede escribir únicamente "username".' ,
|
||||
'admin_cc_email' => 'CC Email',
|
||||
'admin_cc_email_help' => 'If you would like to send a copy of checkin/checkout emails that are sent to users to an additional email account, enter it here. Otherwise leave this field blank.',
|
||||
'is_ad' => 'Este es un servidor de Directorio Activo',
|
||||
|
@ -25,7 +25,7 @@ return array(
|
|||
'backups' => 'Copias de seguridad',
|
||||
'barcode_settings' => 'Configuración de Código de Barras',
|
||||
'confirm_purge' => 'Confirmar la purga',
|
||||
'confirm_purge_help' => 'Enter the text "DELETE" in the box below to purge your deleted records. This action cannot be undone and will PERMANENTLY delete all soft-deleted items and users. (You should make a backup first, just to be safe.)',
|
||||
'confirm_purge_help' => 'Introduzca el texto "DELETE" en el cuadro de abajo para purgar sus registros borrados. Esta acción no se puede deshacer y borrará PERMANENTAMENTE todos los elementos y usuarios eliminados. (Se recomienda hacer una copia de seguridad previamente, para estar seguro.)',
|
||||
'custom_css' => 'CSS Personalizado',
|
||||
'custom_css_help' => 'Ingrese cualquier CSS personalizado que desee utilizar. No incluya tags como: <style></style>.',
|
||||
'custom_forgot_pass_url' => 'Reestablecer URL de Contraseña Personalizada',
|
||||
|
@ -48,7 +48,7 @@ return array(
|
|||
'eula_settings' => 'Configuración EULA',
|
||||
'eula_markdown' => 'Este EULS permite <a href="https://help.github.com/articles/github-flavored-markdown/">makrdown estilo Github</a>.',
|
||||
'favicon' => 'Favicon',
|
||||
'favicon_format' => 'Accepted filetypes are ico, png, and gif. Other image formats may not work in all browsers.',
|
||||
'favicon_format' => 'Los tipos de archivo aceptados son ico, png y gif. Otros formatos de imagen pueden no funcionar en todos los navegadores.',
|
||||
'favicon_size' => 'Los favicons deben ser imágenes cuadradas, de 16x16 píxeles.',
|
||||
'footer_text' => 'Texto Adicional de Pie de Página ',
|
||||
'footer_text_help' => 'Este texto aparecerá en el lado derecho del pie de página. Los enlaces son permitidos usando <a href="https://help.github.com/articles/github-flavored-markdown/">el formato flavored de GitHub</a>. Saltos de línea, cabeceras, imágenes, etc, pueden resultar impredecibles.',
|
||||
|
@ -57,7 +57,7 @@ return array(
|
|||
'header_color' => 'Color de encabezado',
|
||||
'info' => 'Estos parámetros permirten personalizar ciertos aspectos de la aplicación.',
|
||||
'label_logo' => 'Logo de etiqueta',
|
||||
'label_logo_size' => 'Square logos look best - will be displayed in the top right of each asset label. ',
|
||||
'label_logo_size' => 'Los logos cuadrados se ven mejor - se mostrarán en la parte superior derecha de cada etiqueta de activo. ',
|
||||
'laravel' => 'Versión de Laravel',
|
||||
'ldap_enabled' => 'LDAP activado',
|
||||
'ldap_integration' => 'Integración LDAP',
|
||||
|
@ -99,7 +99,7 @@ return array(
|
|||
'login_remote_user_custom_logout_url_text' => 'URL de cierre de sesión personalizado',
|
||||
'login_remote_user_custom_logout_url_help' => 'Sí se especifica un URL, los usuarios serán redireccionados a este URL una vez que cierren sesión en Snipe-TI. Esto es útil para cerrar sesiones de usuario de su Authentication Provider de forma correcta.',
|
||||
'login_remote_user_header_name_text' => 'Custom user name header',
|
||||
'login_remote_user_header_name_help' => 'Use the specified header instead of REMOTE_USER',
|
||||
'login_remote_user_header_name_help' => 'Usar la cabecera especificada en lugar de REMOTE_USER',
|
||||
'logo' => 'Logo',
|
||||
'logo_print_assets' => 'Usar en Impresión',
|
||||
'logo_print_assets_help' => 'Usar marca en la lista imprimible de equipos',
|
||||
|
@ -114,20 +114,20 @@ return array(
|
|||
'pwd_secure_complexity' => 'Complejidad de la contraseña',
|
||||
'pwd_secure_complexity_help' => 'Seleccione las reglas de complejidad de las contraseñas que desee aplicar.',
|
||||
'pwd_secure_min' => 'Caracteres mínimos de contraseña',
|
||||
'pwd_secure_min_help' => 'Minimum permitted value is 8',
|
||||
'pwd_secure_min_help' => 'El valor mínimo permitido es 8',
|
||||
'pwd_secure_uncommon' => 'Evitar contraseñas comunes',
|
||||
'pwd_secure_uncommon_help' => 'Esto impedirá que los usuarios usen contraseñas comunes de las 10,000 contraseñas principales que se notifican en las infracciones.',
|
||||
'qr_help' => 'Activa Códigos QR antes para poder ver esto',
|
||||
'qr_text' => 'Texto Código QR',
|
||||
'saml_enabled' => 'SAML enabled',
|
||||
'saml_integration' => 'SAML Integration',
|
||||
'saml_sp_entityid' => 'Entity ID',
|
||||
'saml_enabled' => 'SAML activado',
|
||||
'saml_integration' => 'Integración SAML',
|
||||
'saml_sp_entityid' => 'ID de la entidad',
|
||||
'saml_sp_acs_url' => 'Assertion Consumer Service (ACS) URL',
|
||||
'saml_sp_sls_url' => 'Single Logout Service (SLS) URL',
|
||||
'saml_sp_x509cert' => 'Certificado público',
|
||||
'saml_idp_metadata' => 'SAML IdP Metadata',
|
||||
'saml_idp_metadata_help' => 'You can specify the IdP metadata using a URL or XML file.',
|
||||
'saml_attr_mapping_username' => 'Attribute Mapping - Username',
|
||||
'saml_attr_mapping_username' => 'Mapeo de Atributos - Nombre de Usuario',
|
||||
'saml_attr_mapping_username_help' => 'NameID will be used if attribute mapping is unspecified or invalid.',
|
||||
'saml_forcelogin_label' => 'SAML Force Login',
|
||||
'saml_forcelogin' => 'Make SAML the primary login',
|
||||
|
@ -218,5 +218,5 @@ return array(
|
|||
'unique_serial' => 'Números de serie únicos',
|
||||
'unique_serial_help_text' => 'Al marcar esta casilla se aplicará una restricción única en los seriales de los equipos',
|
||||
'zerofill_count' => 'Longitud de etiquetas de activos, incluyendo relleno de ceros',
|
||||
'username_format_help' => 'This setting will only be used by the import process if a username is not provided and we have to generate a username for you.',
|
||||
'username_format_help' => 'Esta configuración sólo será utilizada por el proceso de importación si no se proporciona un nombre de usuario y tenemos que generar un nombre de usuario para usted.',
|
||||
);
|
||||
|
|
|
@ -19,7 +19,7 @@ return array(
|
|||
'ldap_config_text' => 'Las configuraciones de LDAP estàn en: Admin -> Settings. La ubicaciòn seleccionadada sera asignada a todos los usuarios importados.',
|
||||
'print_assigned' => 'Imprimir todos los Asignados',
|
||||
'software_user' => 'Software asignado a :name',
|
||||
'send_email_help' => 'You must provide an email address for this user to send them credentials. Emailing credentials can only be done on user creation. Passwords are stored in a one-way hash and cannot be retrieved once saved.',
|
||||
'send_email_help' => 'Debe proporcionar una dirección de correo electrónico para este usuario para enviarle credenciales. Únicamente pueden enviarse credenciales por correo eléctronico durante la creación del usuario. Las contraseñas se almacenan en un hash de un solo sentido y no se pueden recuperar una vez guardadas.',
|
||||
'view_user' => 'Ver Usuario :name',
|
||||
'usercsv' => 'Archivo CSV',
|
||||
'two_factor_admin_optin_help' => 'La actual configuración de administración permite cumplimiento selectivo de autenticación de dos factores. ',
|
||||
|
|
|
@ -12,7 +12,7 @@ return array(
|
|||
'insufficient_permissions' => 'No tiene permiso.',
|
||||
'user_deleted_warning' => 'Este usuario ha sido eliminado. Deberá restaurarlo para editarlo o asignarle nuevos Equipos.',
|
||||
'ldap_not_configured' => 'La integración con LDAP no ha sido configurada para esta instalación.',
|
||||
'password_resets_sent' => 'The selected users who are activated and have a valid email addresses have been sent a password reset link.',
|
||||
'password_resets_sent' => 'A los usuarios seleccionados que están activados y tienen una dirección de correo electrónico válida se les ha enviado un enlace de restablecimiento de contraseña.',
|
||||
|
||||
|
||||
'success' => array(
|
||||
|
|
|
@ -30,7 +30,7 @@
|
|||
'bulkaudit' => 'Auditoría masiva',
|
||||
'bulkaudit_status' => 'Estado de auditoría',
|
||||
'bulk_checkout' => 'Procesar en Lote',
|
||||
'bystatus' => 'by Status',
|
||||
'bystatus' => 'por Estado',
|
||||
'cancel' => 'Cancelar',
|
||||
'categories' => 'Categorías',
|
||||
'category' => 'Categoría',
|
||||
|
@ -58,7 +58,7 @@
|
|||
'created' => 'Artículo creado',
|
||||
'created_asset' => 'equipo creado',
|
||||
'created_at' => 'Creado el',
|
||||
'record_created' => 'Record Created',
|
||||
'record_created' => 'Registro Creado',
|
||||
'updated_at' => 'Actualizado en',
|
||||
'currency' => '€', // this is deprecated
|
||||
'current' => 'Actual',
|
||||
|
@ -79,7 +79,7 @@
|
|||
'depreciation_report' => 'Informe de amortización',
|
||||
'details' => 'Detalles',
|
||||
'download' => 'Descargar',
|
||||
'download_all' => 'Download All',
|
||||
'download_all' => 'Descargar todo',
|
||||
'depreciation' => 'Amortización',
|
||||
'editprofile' => 'Editar Perfil',
|
||||
'eol' => 'EOL',
|
||||
|
@ -90,11 +90,11 @@
|
|||
'firstname_lastname_format' => 'Primer Nombre y Apellido (jane.smith@ejemplo.com)',
|
||||
'firstname_lastname_underscore_format' => 'Primer Nombre y Apellido (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Apellido First Initial (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Inicial Apellido (j.smith@ejemplo.com)',
|
||||
'first' => 'Primero',
|
||||
'firstnamelastname' => 'First Name Last Name (janesmith@example.com)',
|
||||
'lastname_firstinitial' => 'Last Name First Initial (smith_j@example.com)',
|
||||
'firstinitial.lastname' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'firstnamelastname' => 'Nombre Apellido (jane.smith@ejemplo.com)',
|
||||
'lastname_firstinitial' => 'Apellido Inicial (smith_j@ejemplo.com)',
|
||||
'firstinitial.lastname' => 'Inicial Apellido (j.smith@ejemplo.com)',
|
||||
'firstnamelastinitial' => 'First Name Last Initial (janes@example.com)',
|
||||
'first_name' => 'Nombre',
|
||||
'first_name_format' => 'Primer Nombre (jane@ejemplo.com)',
|
||||
|
@ -114,7 +114,7 @@
|
|||
'image_upload' => 'Enviar imagen',
|
||||
'image_filetypes_help' => 'Los tipos de archivo aceptados son jpg, png, gif y svg. El tamaño máximo permitido es :size.',
|
||||
'import' => 'Importar',
|
||||
'importing' => 'Importing',
|
||||
'importing' => 'Importando',
|
||||
'importing_help' => 'You can import assets, accessories, licenses, components, consumables, and users via CSV file. <br><br>The CSV should be comma-delimited and formatted with headers that match the ones in the <a href="https://snipe-it.readme.io/docs/importing" target="_new">sample CSVs in the documentation</a>.',
|
||||
'import-history' => 'Historial de Importación',
|
||||
'asset_maintenance' => 'Mantenimiento de Equipo',
|
||||
|
|
|
@ -73,7 +73,7 @@ return array(
|
|||
'Asset_Checkin_Notification' => 'Activo devuelto',
|
||||
'License_Checkin_Notification' => 'Licencia devuelta',
|
||||
'Expected_Checkin_Report' => 'Expected asset checkin report',
|
||||
'Expected_Checkin_Notification' => 'Reminder: :name checkin deadline approaching',
|
||||
'Expected_Checkin_Notification' => 'Recordatorio: :name se acerca la fecha de devolución',
|
||||
'Expected_Checkin_Date' => 'Un activo asignado a ti debe ser devuelto en :date',
|
||||
'your_assets' => 'Ver tus activos'
|
||||
);
|
||||
|
|
|
@ -20,6 +20,6 @@ return array(
|
|||
'title' => 'Activo ',
|
||||
'image' => 'Imagen de dispositivo',
|
||||
'days_without_acceptance' => 'Días sin Aceptación',
|
||||
'monthly_depreciation' => 'Monthly Depreciation'
|
||||
'monthly_depreciation' => 'Depreciación mensual'
|
||||
|
||||
);
|
||||
|
|
|
@ -8,7 +8,7 @@ return array(
|
|||
'owner_doesnt_match_asset' => 'El activo al que estás intentando asociar con esta licencia está asignado a un usuario diferente al de la persona seleccionada para retirar.',
|
||||
'assoc_users' => 'Esta licencia está actualmente asignada a un usuario y no puede ser borrada. Por favor, revisa la licencia primero y luego intenta borrarla. ',
|
||||
'select_asset_or_person' => 'Debes seleccionar un activo o un usuario, pero no ambos.',
|
||||
'not_found' => 'License not found',
|
||||
'not_found' => 'Licencia no encontrada',
|
||||
|
||||
|
||||
'create' => array(
|
||||
|
|
|
@ -4,9 +4,9 @@ return array(
|
|||
'ad' => 'Directorio Activo',
|
||||
'ad_domain' => 'Dominio del Directorio Activo',
|
||||
'ad_domain_help' => 'Este es a veces el mismo que el correo electrónico de dominio, pero no siempre.',
|
||||
'ad_append_domain_label' => 'Append domain name',
|
||||
'ad_append_domain' => 'Append domain name to username field',
|
||||
'ad_append_domain_help' => 'User isn\'t required to write "username@domain.local", they can just type "username".' ,
|
||||
'ad_append_domain_label' => 'Añadir nombre de dominio',
|
||||
'ad_append_domain' => 'Añadir nombre de dominio al campo de nombre de usuario',
|
||||
'ad_append_domain_help' => 'El usuario no necesita escribir "username@domain.local", puede escribir únicamente "username".' ,
|
||||
'admin_cc_email' => 'Email CC',
|
||||
'admin_cc_email_help' => 'Si deseas enviar una notificación por correo electrónico de las asignaciones de activos que se envían a los usuarios a una cuenta adicional, ingrésela aquí. De lo contrario, deja este campo en blanco.',
|
||||
'is_ad' => 'Este es un servidor de Directorio Activo',
|
||||
|
@ -25,7 +25,7 @@ return array(
|
|||
'backups' => 'Copias de Seguridad',
|
||||
'barcode_settings' => 'Configuración del Código de Barras',
|
||||
'confirm_purge' => 'Confirmar Purga',
|
||||
'confirm_purge_help' => 'Enter the text "DELETE" in the box below to purge your deleted records. This action cannot be undone and will PERMANENTLY delete all soft-deleted items and users. (You should make a backup first, just to be safe.)',
|
||||
'confirm_purge_help' => 'Introduzca el texto "DELETE" en el cuadro de abajo para purgar sus registros borrados. Esta acción no se puede deshacer y borrará PERMANENTAMENTE todos los elementos y usuarios eliminados. (Se recomienda hacer una copia de seguridad previamente, para estar seguro.)',
|
||||
'custom_css' => 'CSS Personalizado',
|
||||
'custom_css_help' => 'Introduce cualquier CSS personalizado que quieras utilizar. No incluyas las etiquetas <style></style> .',
|
||||
'custom_forgot_pass_url' => 'Personalizar URL de Restablecimiento de Contraseña',
|
||||
|
@ -41,23 +41,23 @@ return array(
|
|||
'display_eol' => 'Mostrar Fin de Vida en la vista de tabla',
|
||||
'display_qr' => 'Mostrar Códigos QR',
|
||||
'display_alt_barcode' => 'Mostrar código de barras 1D',
|
||||
'email_logo' => 'Email Logo',
|
||||
'email_logo' => 'Logo de Email',
|
||||
'barcode_type' => 'Tipo de código de barras 2D',
|
||||
'alt_barcode_type' => 'Tipo de código de barras 1D',
|
||||
'email_logo_size' => 'Square logos in email look best. ',
|
||||
'email_logo_size' => 'Los logotipos cuadrados en el correo electrónico se ven mejor. ',
|
||||
'eula_settings' => 'Configuración de Licencia',
|
||||
'eula_markdown' => 'Esta licencia permite <a href="https://help.github.com/articles/github-flavored-markdown/">markdown estilo Github</a>.',
|
||||
'favicon' => 'Favicon',
|
||||
'favicon_format' => 'Accepted filetypes are ico, png, and gif. Other image formats may not work in all browsers.',
|
||||
'favicon_size' => 'Favicons should be square images, 16x16 pixels.',
|
||||
'favicon_format' => 'Los tipos de archivo aceptados son ico, png y gif. Otros formatos de imagen pueden no funcionar en todos los navegadores.',
|
||||
'favicon_size' => 'Los Favicons deben ser imágenes cuadradas, 16x16 píxeles.',
|
||||
'footer_text' => 'Texto adicional de pie de página ',
|
||||
'footer_text_help' => 'Este texto aparecerá en el lado derecho del pie de página. Los enlaces están permitidos usando <a href="https://help.github.com/articles/github-flavored-markdown/">el markdown estilo Github</a>. Saltos de línea, cabeceras, imágenes, etc., pueden dar resultados impredecibles.',
|
||||
'general_settings' => 'Configuración General',
|
||||
'generate_backup' => 'Generar Respaldo',
|
||||
'header_color' => 'Color de Encabezado',
|
||||
'info' => 'Estos ajustes te dejan personalizar ciertos aspectos de tu instalación.',
|
||||
'label_logo' => 'Label Logo',
|
||||
'label_logo_size' => 'Square logos look best - will be displayed in the top right of each asset label. ',
|
||||
'label_logo' => 'Logo de etiqueta',
|
||||
'label_logo_size' => 'Los logos cuadrados se ven mejor - se mostrarán en la parte superior derecha de cada etiqueta de activo. ',
|
||||
'laravel' => 'Versión de Lavarel',
|
||||
'ldap_enabled' => 'LDAP activado',
|
||||
'ldap_integration' => 'Integración LDAP',
|
||||
|
@ -99,7 +99,7 @@ return array(
|
|||
'login_remote_user_custom_logout_url_text' => 'URL de cierre de sesión personalizado',
|
||||
'login_remote_user_custom_logout_url_help' => 'Si se proporciona una url aquí, los usuarios serán redirigidos a esta URL después de que el usuario cierre la sesión de Snipe-IT. Esto es útil para cerrar correctamente las sesiones de usuario de su proveedor de autenticación.',
|
||||
'login_remote_user_header_name_text' => 'Custom user name header',
|
||||
'login_remote_user_header_name_help' => 'Use the specified header instead of REMOTE_USER',
|
||||
'login_remote_user_header_name_help' => 'Usar la cabecera especificada en lugar de REMOTE_USER',
|
||||
'logo' => 'Logo',
|
||||
'logo_print_assets' => 'Utilizar en impresión',
|
||||
'logo_print_assets_help' => 'Utilice la marca en las listas de activos imprimibles ',
|
||||
|
@ -114,20 +114,20 @@ return array(
|
|||
'pwd_secure_complexity' => 'Complejidad de la contraseña',
|
||||
'pwd_secure_complexity_help' => 'Selecciona las reglas de complejidad que quieras aplicar.',
|
||||
'pwd_secure_min' => 'Caracteres mínimos de contraseña',
|
||||
'pwd_secure_min_help' => 'Minimum permitted value is 8',
|
||||
'pwd_secure_min_help' => 'El valor mínimo permitido es 8',
|
||||
'pwd_secure_uncommon' => 'Evitar contraseñas comunes',
|
||||
'pwd_secure_uncommon_help' => 'Esto impedirá a los usuarios de usar contraseñas comunes de el top 10.000 de contraseñas que se notifiquen en las infracciones.',
|
||||
'qr_help' => 'Activa Códigos QR primero para establecer esto',
|
||||
'qr_text' => 'Texto del Código QR',
|
||||
'saml_enabled' => 'SAML enabled',
|
||||
'saml_integration' => 'SAML Integration',
|
||||
'saml_sp_entityid' => 'Entity ID',
|
||||
'saml_enabled' => 'SAML activado',
|
||||
'saml_integration' => 'Integración SAML',
|
||||
'saml_sp_entityid' => 'ID de la entidad',
|
||||
'saml_sp_acs_url' => 'Assertion Consumer Service (ACS) URL',
|
||||
'saml_sp_sls_url' => 'Single Logout Service (SLS) URL',
|
||||
'saml_sp_x509cert' => 'Public Certificate',
|
||||
'saml_sp_x509cert' => 'Certificado público',
|
||||
'saml_idp_metadata' => 'SAML IdP Metadata',
|
||||
'saml_idp_metadata_help' => 'You can specify the IdP metadata using a URL or XML file.',
|
||||
'saml_attr_mapping_username' => 'Attribute Mapping - Username',
|
||||
'saml_attr_mapping_username' => 'Mapeo de Atributos - Nombre de Usuario',
|
||||
'saml_attr_mapping_username_help' => 'NameID will be used if attribute mapping is unspecified or invalid.',
|
||||
'saml_forcelogin_label' => 'SAML Force Login',
|
||||
'saml_forcelogin' => 'Make SAML the primary login',
|
||||
|
@ -218,5 +218,5 @@ return array(
|
|||
'unique_serial' => 'Números de serie únicos',
|
||||
'unique_serial_help_text' => 'Al marcar esta casilla se forzarán números de serie únicos a los activos',
|
||||
'zerofill_count' => 'Longitud de las etiquetas de activos, incluyendo relleno de ceros',
|
||||
'username_format_help' => 'This setting will only be used by the import process if a username is not provided and we have to generate a username for you.',
|
||||
'username_format_help' => 'Esta configuración sólo será utilizada por el proceso de importación si no se proporciona un nombre de usuario y tenemos que generar un nombre de usuario para usted.',
|
||||
);
|
||||
|
|
|
@ -19,7 +19,7 @@ return array(
|
|||
'ldap_config_text' => 'Los parámetros de configuración LDAP pueden ser encontrados en Admin > Settings. La ubicación (opcional) seleccionada será establecida para todos los usuarios importados.',
|
||||
'print_assigned' => 'Imprimir Todos los Asignados',
|
||||
'software_user' => 'Software Asignado a :name',
|
||||
'send_email_help' => 'You must provide an email address for this user to send them credentials. Emailing credentials can only be done on user creation. Passwords are stored in a one-way hash and cannot be retrieved once saved.',
|
||||
'send_email_help' => 'Debe proporcionar una dirección de correo electrónico para este usuario para enviarle credenciales. Únicamente pueden enviarse credenciales por correo eléctronico durante la creación del usuario. Las contraseñas se almacenan en un hash de un solo sentido y no se pueden recuperar una vez guardadas.',
|
||||
'view_user' => 'Ver Usuario :name',
|
||||
'usercsv' => 'Archivo CSV',
|
||||
'two_factor_admin_optin_help' => 'Tus configuraciones de administrador actuales permiten cumplimiento selectivo de autenticación de dos factores. ',
|
||||
|
|
|
@ -12,7 +12,7 @@ return array(
|
|||
'insufficient_permissions' => 'Permisos insuficientes.',
|
||||
'user_deleted_warning' => 'Este usuario ha sido eliminado. Deberás restaurar este usuario para editarlo o asignarle nuevos activos.',
|
||||
'ldap_not_configured' => 'La integración LDAP no ha sido configurada para esta instalación.',
|
||||
'password_resets_sent' => 'The selected users who are activated and have a valid email addresses have been sent a password reset link.',
|
||||
'password_resets_sent' => 'A los usuarios seleccionados que están activados y tienen una dirección de correo electrónico válida se les ha enviado un enlace de restablecimiento de contraseña.',
|
||||
|
||||
|
||||
'success' => array(
|
||||
|
|
|
@ -30,7 +30,7 @@
|
|||
'bulkaudit' => 'Auditoría Masiva',
|
||||
'bulkaudit_status' => 'Auditar Estado',
|
||||
'bulk_checkout' => 'Asignación Masiva',
|
||||
'bystatus' => 'by Status',
|
||||
'bystatus' => 'por Estado',
|
||||
'cancel' => 'Cancelar',
|
||||
'categories' => 'Categorías',
|
||||
'category' => 'Categoría',
|
||||
|
@ -58,7 +58,7 @@
|
|||
'created' => 'Elemento Creado',
|
||||
'created_asset' => 'activo creado',
|
||||
'created_at' => 'Creado El',
|
||||
'record_created' => 'Record Created',
|
||||
'record_created' => 'Registro Creado',
|
||||
'updated_at' => 'Actualizado El',
|
||||
'currency' => '$', // this is deprecated
|
||||
'current' => 'Actual',
|
||||
|
@ -79,7 +79,7 @@
|
|||
'depreciation_report' => 'Reporte de Depreciación',
|
||||
'details' => 'Detalles',
|
||||
'download' => 'Descarga',
|
||||
'download_all' => 'Download All',
|
||||
'download_all' => 'Descargar todo',
|
||||
'depreciation' => 'Depreciación',
|
||||
'editprofile' => 'Editar tu Perfil',
|
||||
'eol' => 'Fin de Vida',
|
||||
|
@ -90,11 +90,11 @@
|
|||
'firstname_lastname_format' => 'Nombre y Apellido (jane.smith@example.com)',
|
||||
'firstname_lastname_underscore_format' => 'Primer Nombre y Apellido (jane_smith@example.com)',
|
||||
'lastnamefirstinitial_format' => 'Apellido First Initial (smithj@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'firstintial_dot_lastname_format' => 'Inicial Apellido (j.smith@ejemplo.com)',
|
||||
'first' => 'Primer',
|
||||
'firstnamelastname' => 'First Name Last Name (janesmith@example.com)',
|
||||
'lastname_firstinitial' => 'Last Name First Initial (smith_j@example.com)',
|
||||
'firstinitial.lastname' => 'First Initial Last Name (j.smith@example.com)',
|
||||
'firstnamelastname' => 'Nombre Apellido (jane.smith@ejemplo.com)',
|
||||
'lastname_firstinitial' => 'Apellido Inicial (smith_j@ejemplo.com)',
|
||||
'firstinitial.lastname' => 'Inicial Apellido (j.smith@ejemplo.com)',
|
||||
'firstnamelastinitial' => 'First Name Last Initial (janes@example.com)',
|
||||
'first_name' => 'Nombre',
|
||||
'first_name_format' => 'Primer Nombre (jane@ejemplo.com)',
|
||||
|
@ -114,7 +114,7 @@
|
|||
'image_upload' => 'Subir Imagen',
|
||||
'image_filetypes_help' => 'Los tipos de archivo aceptados son jpg, png, gif, y svg. El tamaño máximo permitido es :size.',
|
||||
'import' => 'Importar',
|
||||
'importing' => 'Importing',
|
||||
'importing' => 'Importando',
|
||||
'importing_help' => 'You can import assets, accessories, licenses, components, consumables, and users via CSV file. <br><br>The CSV should be comma-delimited and formatted with headers that match the ones in the <a href="https://snipe-it.readme.io/docs/importing" target="_new">sample CSVs in the documentation</a>.',
|
||||
'import-history' => 'Importar Historial',
|
||||
'asset_maintenance' => 'Mantenimiento de Activos',
|
||||
|
|
|
@ -73,7 +73,7 @@ return array(
|
|||
'Asset_Checkin_Notification' => 'Activo devuelto',
|
||||
'License_Checkin_Notification' => 'Licencia devuelta',
|
||||
'Expected_Checkin_Report' => 'Expected asset checkin report',
|
||||
'Expected_Checkin_Notification' => 'Reminder: :name checkin deadline approaching',
|
||||
'Expected_Checkin_Notification' => 'Recordatorio: :name se acerca la fecha de devolución',
|
||||
'Expected_Checkin_Date' => 'Un activo asignado a ti debe ser devuelto en :date',
|
||||
'your_assets' => 'Ver tus activos'
|
||||
);
|
||||
|
|
|
@ -1,20 +1,20 @@
|
|||
<?php
|
||||
|
||||
return array(
|
||||
'accessory_category' => 'Lisävarusteluokka',
|
||||
'accessory_category' => 'Kategoria',
|
||||
'accessory_name' => 'Lisävarusteen nimi',
|
||||
'checkout' => 'Checkout-lisävaruste',
|
||||
'checkin' => 'Checkin-lisävaruste',
|
||||
'checkout' => 'Lisävarusteen luovutus',
|
||||
'checkin' => 'Lisävarusteen palautus',
|
||||
'create' => 'Luo lisävaruste',
|
||||
'edit' => 'Muokkaa lisävarustetta',
|
||||
'eula_text' => 'EULA-luokka',
|
||||
'eula_text_help' => 'Tässä kentässä voit muokata EULAs-asetuksiasi tietyn tyyppisille varoille. Jos sinulla on vain yksi käyttöoikeussopimus kaikille omaisuuksillesi, voit tarkistaa alla olevan kentän käyttämällä ensisijaista oletusarvoa.',
|
||||
'require_acceptance' => 'Vaadittava käyttäjille vahvistetaan tämän luokan varojen hyväksyminen.',
|
||||
'no_default_eula' => 'EU: n ensisijainen oletuslauseke ei löytynyt. Lisää yksi asetuksiin.',
|
||||
'eula_text' => 'Kategorian käyttöehdot',
|
||||
'eula_text_help' => 'Tässä kentässä voit muokata käyttöehtojasi tietyn tyyppisille laitteille. Jos sinulla on vain yksi käyttöoikeussopimus kaikille laitteillesi, voit valita yleisen käyttöehdon valitsemalla alla olevan ruudun.',
|
||||
'require_acceptance' => 'Vaadi käyttäjiä hyväksymään tämän kategorian kohteet.',
|
||||
'no_default_eula' => 'Yleisiä käyttöehtoja ei löytynyt. Voit lisätä ne asetuksista.',
|
||||
'total' => 'Yhteensä',
|
||||
'remaining' => 'hyödyttää',
|
||||
'update' => 'Päivitä lisävaruste',
|
||||
'use_default_eula' => 'Käytä sen sijaan <a href="#" data-toggle="modal" data-target="#eulaModal">primary-oletusarvoa EULA</a>.',
|
||||
'use_default_eula_disabled' => '<del>Käytä ensisijaisen EULA: n sijaan.</del> Et ole määritetty ensisijaista EULA-asetusta. Lisää yksi asetuksiin.',
|
||||
'remaining' => 'Saatavilla',
|
||||
'update' => 'Lisävarusteen päivittäminen',
|
||||
'use_default_eula' => 'Käytä <a href="#" data-toggle="modal" data-target="#eulaModal">yleisiä käyttöehtoja</a>.',
|
||||
'use_default_eula_disabled' => '<del>Käytä yleisiä käyttöehtoja.</del> Et ole vielä määritellyt yleisiä käyttöehtoja, voit lisätä ne asetuksista.',
|
||||
|
||||
);
|
||||
|
|
|
@ -2,8 +2,8 @@
|
|||
|
||||
return array(
|
||||
|
||||
'does_not_exist' => 'The accessory [:id] does not exist.',
|
||||
'assoc_users' => 'Tällä lisävarusteella on tällä hetkellä: laskea kohteet, jotka on tarkistettu käyttäjille. Tarkista lisävarusteet ja yritä uudelleen.',
|
||||
'does_not_exist' => 'Lisävarustetta [:id] ei ole.',
|
||||
'assoc_users' => 'Lisävaruste on tällä hetkellä uloskuitattuna :count käyttäjille. Tarkista lisävarusteiden tila ja yritä uudelleen. ',
|
||||
|
||||
'create' => array(
|
||||
'error' => 'Lisävarustetta ei luotu, yritä uudelleen.',
|
||||
|
@ -17,19 +17,19 @@ return array(
|
|||
|
||||
'delete' => array(
|
||||
'confirm' => 'Haluatko varmasti poistaa tämän lisävarusteen?',
|
||||
'error' => 'Ongelma poistaa lisäosan. Yritä uudelleen.',
|
||||
'error' => 'Lisävarusteen poistaminen ei onnistunut. Yritä uudelleen.',
|
||||
'success' => 'Lisävaruste poistettiin onnistuneesti.'
|
||||
),
|
||||
|
||||
'checkout' => array(
|
||||
'error' => 'Lisävarustetta ei ole tarkistettu, yritä uudelleen',
|
||||
'success' => 'Lisävaruste tarkistettiin onnistuneesti.',
|
||||
'error' => 'Lisävarustetta ei luovutettu, yritä uudelleen',
|
||||
'success' => 'Lisävaruste uloskuitattiin onnistuneesti.',
|
||||
'user_does_not_exist' => 'Käyttäjä on virheellinen. Yritä uudelleen.'
|
||||
),
|
||||
|
||||
'checkin' => array(
|
||||
'error' => 'Lisävarustetta ei ole tarkistettu, yritä uudelleen',
|
||||
'success' => 'Lisävaruste tarkistettiin onnistuneesti.',
|
||||
'error' => 'Lisävarustetta ei palautettu, yritä uudelleen',
|
||||
'success' => 'Lisävaruste palautettiin onnistuneesti.',
|
||||
'user_does_not_exist' => 'Kyseinen käyttäjä on virheellinen. Yritä uudelleen.'
|
||||
)
|
||||
|
||||
|
|
|
@ -2,8 +2,8 @@
|
|||
|
||||
return array(
|
||||
'dl_csv' => 'Lataa CSV',
|
||||
'eula_text' => 'EULA',
|
||||
'id' => 'ID',
|
||||
'eula_text' => 'Käyttöehdot',
|
||||
'id' => 'Tunnus',
|
||||
'require_acceptance' => 'Hyväksyminen',
|
||||
'title' => 'Lisävarusteen nimi',
|
||||
|
||||
|
|
|
@ -6,7 +6,7 @@
|
|||
'start_date' => 'Aloituspäivä',
|
||||
'completion_date' => 'Valmis',
|
||||
'cost' => 'Kustannus',
|
||||
'is_warranty' => 'Takuu parannetaan',
|
||||
'is_warranty' => 'Takuun parannus',
|
||||
'asset_maintenance_time' => 'Päivää',
|
||||
'notes' => 'Muistiinpanot',
|
||||
'update' => 'Päivitä',
|
||||
|
|
|
@ -6,9 +6,9 @@
|
|||
'delete' => 'Poista laitteen huolto',
|
||||
'view' => 'Näytä laitteen huoltotiedot',
|
||||
'repair' => 'Korjaus',
|
||||
'maintenance' => 'Huoltotila',
|
||||
'maintenance' => 'Huolto',
|
||||
'upgrade' => 'Päivitä',
|
||||
'calibration' => 'Calibration',
|
||||
'software_support' => 'Software Support',
|
||||
'hardware_support' => 'Hardware Support',
|
||||
'calibration' => 'Kalibrointi',
|
||||
'software_support' => 'Ohjelmiston tuki',
|
||||
'hardware_support' => 'Laitteiston tuki',
|
||||
];
|
||||
|
|
Some files were not shown because too many files have changed in this diff Show more
Loading…
Reference in a new issue