This commit is contained in:
Benjamin Takats
2022-12-21 17:14:32 +01:00
parent 38161bd19e
commit 3eaa2bc2eb
191 changed files with 9005 additions and 3442 deletions

View File

@@ -0,0 +1,40 @@
<?php
namespace App\Console\Commands\Database;
use App\Models\User;
use Illuminate\Console\Command;
class FillUserEmails extends Command
{
/**
* The name and signature of the console command.
* @var string
*/
protected $signature = 'users:emails';
/**
* The console command description.
* @var string
*/
protected $description = 'Command description';
/**
* Execute the console command.
* @return int
*/
public function handle()
{
$users = User::all();
foreach ($users as $user) {
// set email
if (!$user->email) {
$user->email = str($user->public_key)->substr(-6).'@portal.einundzwanzig.space';
$user->save();
}
}
return Command::SUCCESS;
}
}

View File

@@ -3,6 +3,7 @@
namespace App\Http\Livewire\BookCase; namespace App\Http\Livewire\BookCase;
use App\Models\BookCase; use App\Models\BookCase;
use App\Models\User;
use Livewire\Component; use Livewire\Component;
use Livewire\WithFileUploads; use Livewire\WithFileUploads;

View File

@@ -22,6 +22,7 @@ class Footer extends Component
$toTranslate = Translation::query() $toTranslate = Translation::query()
->where('language_id', $language->id) ->where('language_id', $language->id)
->count(); ->count();
$toTranslate = $toTranslate > 0 ? $toTranslate : 1;
return view('livewire.frontend.footer', [ return view('livewire.frontend.footer', [
'percentTranslated' => $l === 'en' ? 100 : round(($translated / $toTranslate) * 100), 'percentTranslated' => $l === 'en' ? 100 : round(($translated / $toTranslate) * 100),

View File

@@ -7,11 +7,7 @@ use Illuminate\Database\Eloquent\Factories\HasFactory;
use Illuminate\Database\Eloquent\Model; use Illuminate\Database\Eloquent\Model;
use Illuminate\Database\Eloquent\Relations\BelongsTo; use Illuminate\Database\Eloquent\Relations\BelongsTo;
use Illuminate\Database\Eloquent\Relations\HasMany; use Illuminate\Database\Eloquent\Relations\HasMany;
use Spatie\Comments\Exceptions\CannotCreateComment;
use Spatie\Comments\Models\Comment;
use Spatie\Comments\Models\Concerns\HasComments; use Spatie\Comments\Models\Concerns\HasComments;
use Spatie\Comments\Models\Concerns\Interfaces\CanComment;
use Spatie\Comments\Support\Config;
use Spatie\Image\Manipulations; use Spatie\Image\Manipulations;
use Spatie\MediaLibrary\HasMedia; use Spatie\MediaLibrary\HasMedia;
use Spatie\MediaLibrary\InteractsWithMedia; use Spatie\MediaLibrary\InteractsWithMedia;
@@ -95,36 +91,4 @@ class BookCase extends Model implements HasMedia
{ {
return url()->route('bookCases.comment.bookcase', ['bookCase' => $this->id]); return url()->route('bookCases.comment.bookcase', ['bookCase' => $this->id]);
} }
public function comment(string $text, CanComment $commentator = null): Comment
{
// $commentator ??= auth()->user();
if (! config('comments.allow_anonymous_comments')) {
if (! $commentator) {
throw CannotCreateComment::userIsRequired();
}
}
$parentId = ($this::class === Config::getCommentModelName())
? $this->getKey()
: null;
$comment = $this->comments()->create([
'commentator_id' => $commentator?->getKey() ?? null,
'commentator_type' => $commentator?->getMorphClass() ?? null,
'original_text' => $text,
'parent_id' => $parentId,
]);
if ($comment->shouldBeAutomaticallyApproved()) {
Config::approveCommentAction()->execute($comment);
return $comment;
}
Config::sendNotificationsForPendingCommentAction()->execute($comment);
return $comment;
}
} }

View File

@@ -0,0 +1,47 @@
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
use JoeDixon\Translation\Language;
class CreateLanguagesTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::connection(config('translation.database.connection'))
->create(config('translation.database.languages_table'), function (Blueprint $table) {
$table->increments('id');
$table->string('name')->nullable();
$table->string('language');
$table->timestamps();
});
$initialLanguages = array_unique([
config('app.fallback_locale'),
config('app.locale'),
]);
foreach ($initialLanguages as $language) {
Language::firstOrCreate([
'language' => $language,
]);
}
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::connection(config('translation.database.connection'))
->dropIfExists(config('translation.database.languages_table'));
}
}

View File

@@ -0,0 +1,39 @@
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class CreateTranslationsTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::connection(config('translation.database.connection'))
->create(config('translation.database.translations_table'), function (Blueprint $table) {
$table->increments('id');
$table->unsignedInteger('language_id');
$table->foreign('language_id')->references('id')
->on(config('translation.database.languages_table'));
$table->string('group')->nullable();
$table->text('key');
$table->text('value')->nullable();
$table->timestamps();
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::connection(config('translation.database.connection'))
->dropIfExists(config('translation.database.translations_table'));
}
}

View File

@@ -38,7 +38,7 @@
"Downloadable File": "Download", "Downloadable File": "Download",
"Done": "Fertig", "Done": "Fertig",
"Registration": "Anmeldung", "Registration": "Anmeldung",
"Lecturer/Content Creator": "Dozent/Content Creator", "Lecturer\/Content Creator": "Dozent\/Content Creator",
"Lecturer": "Dozent", "Lecturer": "Dozent",
"Lecturers": "Dozenten", "Lecturers": "Dozenten",
"Cities": "Städte", "Cities": "Städte",
@@ -258,5 +258,356 @@
"You may delete any of your existing tokens if they are no longer needed.": "Sie können alle vorhandenen Token löschen, wenn sie nicht mehr benötigt werden.", "You may delete any of your existing tokens if they are no longer needed.": "Sie können alle vorhandenen Token löschen, wenn sie nicht mehr benötigt werden.",
"You may not delete your personal team.": "Sie können Ihr persönliches Team nicht löschen.", "You may not delete your personal team.": "Sie können Ihr persönliches Team nicht löschen.",
"You may not leave a team that you created.": "Sie können ein von Ihnen erstelltes Team nicht verlassen.", "You may not leave a team that you created.": "Sie können ein von Ihnen erstelltes Team nicht verlassen.",
"Your email address is unverified.": "Ihre E-Mail-Adresse ist nicht verifiziert." "Your email address is unverified.": "Ihre E-Mail-Adresse ist nicht verifiziert.",
"Bitcoin Events": "",
"From": "Von",
"To": "Bis",
"Link": "Link",
"No bookcases found in the radius of 5km": "Keine Bücherschränke im Umkreis von 5km gefunden",
"Search City": "Suche Stadt",
"Search Venue": "Suche Veranstaltungsort",
"Search Course": "Suche Kurs",
"Type": "Art",
"Actions": "Aktionen",
"Meetup": "Meetup",
"Start": "Start",
"Links": "Links",
"Created by: :name": "Erstellt von: :name",
"Logo": "Logo",
"Created By": "Erstellt von",
"Latitude": "",
"Longitude": "",
"Open": "Öffnen",
"Comment": "Kommentar",
"Contact": "Kontakt",
"Bcz": "",
"Digital": "",
"Icontype": "",
"Deactreason": "",
"Entrytype": "",
"Homepage": "",
"OrangePills": "",
"Comments": "Kommentare",
"Slug": "",
"Country: :name": "Stadt: :name",
"Meetups": "",
"Commentator": "Kommentator",
"Original text": "Original Text",
"Show": "Zeigen",
"Status": "Status",
"Created at": "Erstellt am",
"Code: :code": "Code: :code",
"English name": "Englischer name",
"Upload images here to insert them later in the Markdown Description. But you have to save before.": "Hier kannst du Bilder hochladen, um sie später in die Markdown-Beschreibung einzufügen. Du musst aber vorher speichern.",
"Tags": "Tags",
"Markdown is allowed. You can paste images from the \"Images\" field here. Use the link icon of the images for the urls after clicking \"Update and continue\".": "Markdown ist erlaubt. Du kannst hier Bilder aus dem Feld \"Bilder\" einfügen. Verwende das Link-Symbol der Bilder für die Urls, nachdem du auf \"Aktualisieren und fortfahren\" geklickt hast.",
"Select here the lecturer who holds the course. If the lecturer is not in the list, create it first under \"Lecturers\".": "Wähle hier den Dozenten aus, der den Kurs hält. Wenn der Dozent nicht in der Liste enthalten ist, lege ihn zunächst unter \"Dozenten\" an.",
"Data": "Daten",
"Podcast": "",
"Value": "Wert",
"Episode": "",
"City: :name": "Stadt: :name",
"MIT License": "",
"Please copy your new API token. For your security, it won\\'t be shown again.": "",
"Back to the website": "Zurück zur Webseite",
"Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn\\'t receive the email, we will gladly send you another.": "",
"💊 Orange Pill Now": "",
"Details": "",
"no bitcoin books yet": "keine Bitcoin Bücher",
"Perimeter search course date :name (100km)": "Umkreissuche Kurse :name (100km)",
"Perimeter search bookcase :name (5km)": "Umkreissuche Bücherschränke :name (5km)",
"Show dates": "Zeige Termine",
"Show content": "Zeige Content",
"Download": "",
"Listen": "Anhören",
"Calendar Stream Url copied!": "Kalender Stream Url kopiert!",
"Paste the calendar stream link into a compatible calendar app.": "Füge den Link zum Kalender-Stream in eine kompatible Kalender-App ein.",
"Calendar Stream-Url": "Kalender Stream-Url",
"URL copied!": "URL kopiert!",
"Copy": "Kopieren",
"Email login": "E-Mail Login",
"Email registration": "E-Mail Registration",
"Zeus bug:": "",
"Bookcases": "Bücherschränke",
"Search out a public bookcase": "Suche einen öffentlichen Bücherschrank",
"Built with ❤️ by our team.": "",
"Github": "",
"Wish List\/Feedback": "Wunschzettel\/Feedback",
"Translate (:lang :percent%)": "Übersetzung (:lang :percent%)",
"Back to the overview": "Zurück zur Übersicht",
"Library for lecturers": "Dozenten-Bibliothek",
"City search": "Stadt Suche",
"World map": "Weltkarte",
"Meetup dates": "Meetup Termine",
"Change country": "Land wechseln",
"Change language": "Sprache wechseln",
"Choose your city, search for courses in the surrounding area and select a topic that suits you.": "Wähle deine Stadt, suche nach Kursen in der Umgebung und wähle ein Thema, das zu dir passt.",
"Content": "",
"Choose a topic that is right for you.": "Suche ein für dich passendes Thema aus.",
"Search": "Suche",
"Dates": "Termine",
"Einundzwanzig": "",
"Bitcoin Portal": "",
"A Bitcoin community for all.": "Eine Bitcoin Community für alle.",
"Plebs together strong": "",
"Education": "",
"Worldwide": "",
"Reading": "",
"School": "Schule",
"Find Bitcoin courses in your city": "Finde Bitcoin Kurs in deiner Stadt",
"👇 Find a course 👇": "👇 Finde Kurse 👇",
"Select a tab": "Wähle ein Spalte",
"Lecturer Libraries": "Dozenten-Bibliotheken",
"Creator": "Ersteller",
"Contents": "Inhalte",
"Calendar Stream-Url for all meetup events": "Kalender-Stream-Url für alle Meetup-Termine",
"Bitcoiner": "",
"Plebs together strong 💪": "",
"Bitcoiner Meetups are a great way to meet other Bitcoiners in your area. You can learn from each other, share ideas, and have fun!": "Bitcoiner Meetups sind eine großartige Möglichkeit, andere Bitcoiner in deiner Gegend zu treffen. Du kannst von anderen lernen, Ideen austauschen und Spaß haben!",
"So far here were": "Bislang waren hier",
"On :asDateTime :name has added :amount Bitcoin books.": "Am :asDateTime hat :name :amount Bitcoin Bücher hinzugefügt.",
"Number of books": "Anzahl der Bücher",
"How many bitcoin books have you put in?": "Wie viele Bitcoin-Bücher hast du reingelegt?",
"Date": "Termin",
"When did you put bitcoin books in?": "Wann hast du Bitcoin Bücher reingelegt?",
"For example, what books you put in.": "Als Beispiel, welche Bücher hast du reingelegt.",
"Von": "Von",
"Bis": "Bis",
"Link to the registration": "Link zur Registrierung",
"Submit Meetup": "Meetup eintragen",
"Register Meetup date": "Meetup-Termin eintragen",
"Register lecturer": "Dozent eintragen",
"Register course": "Kurs eintragen",
"Register course date": "Kurs-Termin eintragen",
"Submit contents": "Inhalte eintragen",
"Register event": "Veranstaltung eintragen",
"My profile": "Mein Profil",
"When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone\\'s Google Authenticator application.": "",
"To finish enabling two factor authentication, scan the following QR code using your phone\\'s authenticator application or enter the setup key and provide the generated OTP code.": "",
"Two factor authentication is now enabled. Scan the following QR code using your phone\\'s authenticator application or enter the setup key.": "",
"Update your account\\'s profile information and email address.": "",
"Timezone": "Zeitzone",
"The team\\'s name and owner information.": "",
"You can use <a href=\"https:\/\/spatie.be\/markdown\" target=\"_blank\" rel=\"nofollow noopener noreferrer\">Markdown<\/a>": "Du kannst <a href=\"https:\/\/spatie.be\/markdown\" target=\"_blank\" rel=\"nofollow noopener noreferrer\">Markdown<\/a> verwenden.",
"Unsubscribe from receive notification about :commentableName": "Benachrichtigung über :commentableName abbestellen",
"The comment has been approved.": "Der Kommentar wurde genehmigt.",
"Do you want to approve the comment?": "Möchtest du den Kommentar genehmigen?",
"Approve": "Genehmigen",
"The comment has been rejected.": "",
"Do you want to reject the comment?": "",
"You have been unsubscribed.": "",
"You have been unsubscribed from every comment notification.": "",
"Do you want to unsubscribe from every comment notification?": "",
"Do you want to unsubscribe?": "",
"Dismiss": "",
"close": "",
"Rotate -90": "",
"Rotate +90": "",
"Update": "",
"Add New \".concat(e)):this.__(\"Upload New \".concat(e))},mustCrop:function(){return\"mustCrop\"in this.field&&this.field.mustCrop}},watch:{modelValue:function(e){this.images=e||[]},images:function(e,t){this.queueNewImages(e,t),this.$emit(\"update:modelValue": "",
"Maximum file size is :amount MB": "",
"File type must be: :types": "",
"Uploading": "",
"Do you really want to leave? You have unsaved changes.": "",
"*": "",
"Select": "",
"Existing Media": "",
"Search by name or file name": "",
"No results found": "",
"Load Next Page": "",
"Add Existing \".concat(e)):this.__(\"Use Existing \".concat(e))}},methods:{setInitialValue:function(){var e=this.field.value||[];this.field.multiple||(e=e.slice(0,1)),this.value=e,this.hasSetInitialValue=!0},fill:function(e){var t=this,n=this.field.attribute;this.value.forEach((function(r,i){var o,a,s;!r.id?r.isVaporUpload?(e.append(\"__media__[\".concat(n,\"][": "",
"nova-spatie-permissions::lang.display_names.'.$this->name);\n\t\t\t})->canSee(function (){\n\t\t\t\treturn is_array(__('nova-spatie-permissions::lang.display_names": "",
"This will go in the JSON array": "",
"This will also go in the JSON array": "",
"trans": "",
"Go Home": "",
"Whoops": "",
"We're lost in space. The page you were trying to view does not exist.": "",
"Hold Up!": "",
"The government won't let us show you what's behind these doors": "",
":-(": "",
"Nova experienced an unrecoverable error.": "",
"Toggle Collapsed": "",
"This resource no longer exists": "",
":resource Details: :title": "",
"Soft Deleted": "",
"View": "",
"Edit": "",
"The resource was attached!": "",
"Attach :resource": "",
"No additional information...": "",
"Choose :resource": "",
"Attach & Attach Another": "",
"The resource was updated!": "",
"Update attached :resource: :title": "",
"Choose :field": "",
"Update & Continue Editing": "",
"Update :resource": "",
"Toggle Sidebar": "",
"Close Sidebar": "",
"Sorry, your session has expired.": "",
"Reload": "",
"There was a problem executing the action.": "",
"The action was executed successfully.": "",
"There was a problem submitting the form.": "",
"Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "",
"Standalone Actions": "",
"Select Action": "",
"Stop Polling": "",
"Start Polling": "",
"Show Cards": "",
"Hide Cards": "",
"The HasOne relationship has already been filled.": "",
"The HasOneThrough relationship has already been filled.": "",
"The :resource was created!": "",
"Create :resource": "",
"Create & Add Another": "",
"Attach": "",
"Restore Selected": "",
"Force Delete Selected": "",
"Trash Dropdown": "",
"Force Delete Resource": "",
"Are you sure you want to force delete the selected resources?": "",
"The :resource was deleted!": "",
"The :resource was restored!": "",
"Replicate": "",
"Impersonate": "",
"Delete Resource": "",
"Restore Resource": "",
"Resource Row Dropdown": "",
"Preview": "",
"Select this page": "",
"Select all": "",
"Select All Dropdown": "",
"Light": "",
"Dark": "",
"System": "",
"Hide Content": "",
"Show Content": "",
"Reset Filters": "",
"With Trashed": "",
"Only Trashed": "",
"Trashed": "",
"Per Page": "",
"Filter Dropdown": "",
"Choose date": "",
"—": "",
"Press \/ to search": "",
"No Results Found.": "",
"No :resource matched the given criteria.": "",
"Failed to load :resource!": "",
"Click to choose": "",
"Lens Dropdown": "",
"Unregistered": "",
"total": "",
"Select Ranges": "",
"No Increase": "",
"No Prior Data": "",
"No Current Data": "",
"No Data": "",
"Delete File": "",
"Are you sure you want to delete this file?": "",
"Are you sure you want to \"+o.mode+\" the selected resources?": "",
"Previewing": "",
"View :resource": "",
"There are no fields to display.": "",
"Are you sure you want to restore the selected resources?": "",
"Restore": "",
"Are you sure you want to delete this notification?": "",
"Notifications": "",
"Mark all as Read": "",
"There are no new notifications.": "",
"Load :perPage More": "",
"All resources loaded.": "",
":amount Total": "",
"Previous": "",
"Next": "",
"Copy to clipboard": "In Zwischenablage kopieren",
"There's nothing configured to show here.": "",
"Selected Resources": "",
"Controls": "",
"Select Resource :title": "",
"Edit Attached": "",
"Are you sure you want to restore this resource?": "",
"Show more": "",
"Are you sure you want to log out?": "",
"Are you sure you want to stop impersonating?": "",
"Nova User": "",
"Stop Impersonating": "",
":name's Avatar": "",
"Something went wrong.": "",
"Yes": "",
"No": "",
"Show All Fields": "",
"End": "",
"Min": "",
"Max": "",
"Sorry! You are not authorized to perform this action.": "",
"The file was deleted!": "",
"There was a problem fetching the resource.": "",
"Write": "",
"Choose Type": "",
"There are no available options for this resource.": "",
"Choose": "",
"Choose an option": "",
"Customize": "",
"An error occurred while uploading the file.": "",
"Refresh": "",
"Forgot Password": "",
"Log In": "",
"Welcome Back!": "",
"The :resource was updated!": "",
"Update :resource: :title": "",
"Choose Files": "",
"Choose File": "",
"Drop files or click to choose": "",
"Drop file or click to choose": "",
"Choose a file": "",
"&mdash;": "",
"The image could not be loaded.": "",
":name\\\\'s Avatar": "",
"taylorotwell": "",
"Laravel Nova": "",
"Laravel Nova :version": "",
"Are you sure you want to ' + mode + ' the selected resources?": "",
":name\\'s Avatar": "",
"ID": "",
"Action Name": "",
"Action Initiated By": "",
"Action Target": "",
"Action Status": "",
"Waiting": "",
"Running": "",
"Failed": "",
"Original": "",
"Changes": "",
"Exception": "",
"Action Happened At": "",
"Action": "",
"CSV (.csv)": "",
"Excel (.xlsx)": "",
"Filename": "",
"30 Days": "",
"60 Days": "",
"90 Days": "",
"365 Days": "",
"Today": "",
"Month To Date": "",
"Quarter To Date": "",
"Year To Date": "",
"Unable to find Resource for model [:model].": "",
"The resource was prevented from being saved!": "",
"Loading": "",
"Finished": "",
"Key": "",
"Add row": "",
"Resources": "",
"Dashboards": "",
"Replicate :resource": "",
"time": "",
"All Columns": "",
"All": "",
"N\/A": "",
"Add tags...": "",
"Add tag...": ""
} }

View File

@@ -0,0 +1,11 @@
<?php
return array (
'' =>
array (
'' =>
array (
'' => '',
),
),
);

View File

@@ -1,9 +1,7 @@
<?php <?php
declare(strict_types=1); return array (
'failed' => 'Diese Kombination aus Zugangsdaten wurde nicht in unserer Datenbank gefunden.',
return [ 'password' => 'Das Passwort ist falsch.',
'failed' => 'Diese Kombination aus Zugangsdaten wurde nicht in unserer Datenbank gefunden.', 'throttle' => 'Zu viele Loginversuche. Versuchen Sie es bitte in :seconds Sekunden nochmal.',
'password' => 'Das Passwort ist falsch.', );
'throttle' => 'Zu viele Loginversuche. Versuchen Sie es bitte in :seconds Sekunden nochmal.',
];

View File

@@ -1,84 +1,82 @@
<?php <?php
declare(strict_types=1); return array (
0 => 'Unbekannter Fehler',
return [ 'unknownError' => 'Unbekannter Fehler',
'0' => 'Unbekannter Fehler', 100 => 'Weiter',
'100' => 'Weiter', 101 => 'Switching Protocols',
'101' => 'Switching Protocols', 102 => 'Verarbeitung',
'102' => 'Verarbeitung', 200 => 'OK',
'200' => 'OK', 201 => 'Erstellt',
'201' => 'Erstellt', 202 => 'Akzeptiert',
'202' => 'Akzeptiert', 203 => 'Nicht maßgebende Informationen',
'203' => 'Nicht maßgebende Informationen', 204 => 'Kein Inhalt',
'204' => 'Kein Inhalt', 205 => 'Inhalt zurücksetzen',
'205' => 'Inhalt zurücksetzen', 206 => 'Teilinhalt',
'206' => 'Teilinhalt', 207 => 'Multi-Status',
'207' => 'Multi-Status', 208 => 'Bereits gemeldet',
'208' => 'Bereits gemeldet', 226 => 'IM verwendet',
'226' => 'IM verwendet', 300 => 'Mehrfachauswahl',
'300' => 'Mehrfachauswahl', 301 => 'Permanent verschoben',
'301' => 'Permanent verschoben', 302 => 'Gefunden',
'302' => 'Gefunden', 303 => 'Andere sehen',
'303' => 'Andere sehen', 304 => 'Nicht modifiziert',
'304' => 'Nicht modifiziert', 305 => 'Proxy verwenden',
'305' => 'Proxy verwenden', 307 => 'Temporäre Weiterleitung',
'307' => 'Temporäre Weiterleitung', 308 => 'Permanente Weiterleitung',
'308' => 'Permanente Weiterleitung', 400 => 'Schlechte Anfrage',
'400' => 'Schlechte Anfrage', 401 => 'Nicht autorisiert',
'401' => 'Nicht autorisiert', 402 => 'Zahlung erforderlich',
'402' => 'Zahlung erforderlich', 403 => 'Verboten',
'403' => 'Verboten', 404 => 'Seite nicht gefunden',
'404' => 'Seite nicht gefunden', 405 => 'Methode nicht erlaubt',
'405' => 'Methode nicht erlaubt', 406 => 'Nicht annehmbar',
'406' => 'Nicht annehmbar', 407 => 'Proxy-Authentifizierung erforderlich',
'407' => 'Proxy-Authentifizierung erforderlich', 408 => 'Zeitüberschreitung anfordern',
'408' => 'Zeitüberschreitung anfordern', 409 => 'Konflikt',
'409' => 'Konflikt', 410 => 'Gegangen',
'410' => 'Gegangen', 411 => 'Länge erforderlich',
'411' => 'Länge erforderlich', 412 => 'Vorbedingung fehlgeschlagen',
'412' => 'Vorbedingung fehlgeschlagen', 413 => 'Nutzlast zu groß',
'413' => 'Nutzlast zu groß', 414 => 'URI zu lang',
'414' => 'URI zu lang', 415 => 'Nicht unterstützter Medientyp',
'415' => 'Nicht unterstützter Medientyp', 416 => 'Bereich nicht erfüllbar',
'416' => 'Bereich nicht erfüllbar', 417 => 'Erwartung gescheitert',
'417' => 'Erwartung gescheitert', 418 => 'Ich bin eine Teekanne',
'418' => 'Ich bin eine Teekanne', 419 => 'Sitzung ist abgelaufen',
'419' => 'Sitzung ist abgelaufen', 421 => 'Fehlgeleitete Anfrage',
'421' => 'Fehlgeleitete Anfrage', 422 => 'Unverfügbare Entität',
'422' => 'Unverfügbare Entität', 423 => 'Gesperrt',
'423' => 'Gesperrt', 424 => 'Fehlgeschlagene Abhängigkeit',
'424' => 'Fehlgeschlagene Abhängigkeit', 425 => 'Too Early',
'425' => 'Too Early', 426 => 'Upgrade erforderlich',
'426' => 'Upgrade erforderlich', 428 => 'Voraussetzung erforderlich',
'428' => 'Voraussetzung erforderlich', 429 => 'Zu viele Anfragen',
'429' => 'Zu viele Anfragen', 431 => 'Kopfzeilenfelder zu groß anfordern',
'431' => 'Kopfzeilenfelder zu groß anfordern', 444 => 'Connection Closed Without Response',
'444' => 'Connection Closed Without Response', 449 => 'Wiederhole mit',
'449' => 'Wiederhole mit', 451 => 'Aus rechtlichen Gründen nicht verfügbar',
'451' => 'Aus rechtlichen Gründen nicht verfügbar', 499 => 'Client Closed Request',
'499' => 'Client Closed Request', 500 => 'Interner Serverfehler',
'500' => 'Interner Serverfehler', 501 => 'Nicht implementiert',
'501' => 'Nicht implementiert', 502 => 'Bad Gateway',
'502' => 'Bad Gateway', 503 => 'Wartungsmodus',
'503' => 'Wartungsmodus', 504 => 'Gateway Timeout',
'504' => 'Gateway Timeout', 505 => 'HTTP Version nicht unterstützt',
'505' => 'HTTP Version nicht unterstützt', 506 => 'Variante verhandelt auch',
'506' => 'Variante verhandelt auch', 507 => 'Ungenügende Speicherung',
'507' => 'Ungenügende Speicherung', 508 => 'Loop Detected',
'508' => 'Loop Detected', 509 => 'Bandbreitengrenze überschritten',
'509' => 'Bandbreitengrenze überschritten', 510 => 'Nicht erweitert',
'510' => 'Nicht erweitert', 511 => 'Netzwerkauthentifizierung erforderlich',
'511' => 'Netzwerkauthentifizierung erforderlich', 520 => 'Unbekannter Fehler',
'520' => 'Unbekannter Fehler', 521 => 'Webserver ist ausgefallen',
'521' => 'Webserver ist ausgefallen', 522 => 'Verbindung abgelaufen',
'522' => 'Verbindung abgelaufen', 523 => 'Ursprung ist nicht erreichbar',
'523' => 'Ursprung ist nicht erreichbar', 524 => 'Ein Timeout ist aufgetreten',
'524' => 'Ein Timeout ist aufgetreten', 525 => 'SSL Handshake fehlgeschlagen',
'525' => 'SSL Handshake fehlgeschlagen', 526 => 'Ungültiges SSL-Zertifikat',
'526' => 'Ungültiges SSL-Zertifikat', 527 => 'Railgun Error',
'527' => 'Railgun Error', 598 => 'Network Read Timeout Error',
'598' => 'Network Read Timeout Error', 599 => 'Network Connect Timeout Error',
'599' => 'Network Connect Timeout Error', );
'unknownError' => 'Unbekannter Fehler',
];

View File

@@ -1,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
'next' => 'Weiter &raquo;',
return [ 'previous' => '&laquo; Zurück',
'next' => 'Weiter &raquo;', );
'previous' => '&laquo; Zurück',
];

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
'reset' => 'Das Passwort wurde zurückgesetzt!',
return [ 'sent' => 'Passworterinnerung wurde gesendet!',
'reset' => 'Das Passwort wurde zurückgesetzt!', 'throttled' => 'Bitte warten Sie, bevor Sie es erneut versuchen.',
'sent' => 'Passworterinnerung wurde gesendet!', 'token' => 'Der Passwort-Wiederherstellungs-Schlüssel ist ungültig oder abgelaufen.',
'throttled' => 'Bitte warten Sie, bevor Sie es erneut versuchen.', 'user' => 'Es konnte leider kein Nutzer mit dieser E-Mail-Adresse gefunden werden.',
'token' => 'Der Passwort-Wiederherstellungs-Schlüssel ist ungültig oder abgelaufen.', );
'user' => 'Es konnte leider kein Nutzer mit dieser E-Mail-Adresse gefunden werden.',
];

View File

@@ -0,0 +1,6 @@
<?php
return array (
'first_match' => '',
'third_match' => '',
);

View File

@@ -1,210 +1,218 @@
<?php <?php
declare(strict_types=1); return array (
'accepted' => ':Attribute muss akzeptiert werden.',
return [ 'accepted_if' => ':Attribute muss akzeptiert werden, wenn :other :value ist.',
'accepted' => ':Attribute muss akzeptiert werden.', 'active_url' => ':Attribute ist keine gültige Internet-Adresse.',
'accepted_if' => ':Attribute muss akzeptiert werden, wenn :other :value ist.', 'after' => ':Attribute muss ein Datum nach :date sein.',
'active_url' => ':Attribute ist keine gültige Internet-Adresse.', 'after_or_equal' => ':Attribute muss ein Datum nach :date oder gleich :date sein.',
'after' => ':Attribute muss ein Datum nach :date sein.', 'alpha' => ':Attribute darf nur aus Buchstaben bestehen.',
'after_or_equal' => ':Attribute muss ein Datum nach :date oder gleich :date sein.', 'alpha_dash' => ':Attribute darf nur aus Buchstaben, Zahlen, Binde- und Unterstrichen bestehen.',
'alpha' => ':Attribute darf nur aus Buchstaben bestehen.', 'alpha_num' => ':Attribute darf nur aus Buchstaben und Zahlen bestehen.',
'alpha_dash' => ':Attribute darf nur aus Buchstaben, Zahlen, Binde- und Unterstrichen bestehen.', 'array' => ':Attribute muss ein Array sein.',
'alpha_num' => ':Attribute darf nur aus Buchstaben und Zahlen bestehen.', 'attached' => ':Attribute ist bereits angehängt.',
'array' => ':Attribute muss ein Array sein.', 'attributes' =>
'attached' => ':Attribute ist bereits angehängt.', array (
'before' => ':Attribute muss ein Datum vor :date sein.', 'address' => 'adresse',
'before_or_equal' => ':Attribute muss ein Datum vor :date oder gleich :date sein.', 'age' => 'alter',
'between' => [ 'amount' => 'amount',
'array' => ':Attribute muss zwischen :min & :max Elemente haben.', 'area' => 'gebiet',
'file' => ':Attribute muss zwischen :min & :max Kilobytes groß sein.', 'available' => 'verfügbar',
'numeric' => ':Attribute muss zwischen :min & :max liegen.', 'birthday' => 'geburtstag',
'string' => ':Attribute muss zwischen :min & :max Zeichen lang sein.', 'body' => 'körper',
], 'city' => 'stadt',
'boolean' => ':Attribute muss entweder \'true\' oder \'false\' sein.', 'content' => 'inhalt',
'confirmed' => ':Attribute stimmt nicht mit der Bestätigung überein.', 'country' => 'land',
'current_password' => 'Das Passwort ist falsch.', 'created_at' => 'erstellt am',
'date' => ':Attribute muss ein gültiges Datum sein.', 'creator' => 'ersteller',
'date_equals' => ':Attribute muss ein Datum gleich :date sein.', 'current_password' => 'derzeitiges passwort',
'date_format' => ':Attribute entspricht nicht dem gültigen Format für :format.', 'date' => 'datum',
'declined' => ':Attribute muss abgelehnt werden.', 'date_of_birth' => 'geburtsdatum',
'declined_if' => ':Attribute muss abgelehnt werden wenn :other :value ist.', 'day' => 'tag',
'different' => ':Attribute und :other müssen sich unterscheiden.', 'deleted_at' => 'gelöscht am',
'digits' => ':Attribute muss :digits Stellen haben.', 'description' => 'beschreibung',
'digits_between' => ':Attribute muss zwischen :min und :max Stellen haben.', 'district' => 'bezirk',
'dimensions' => ':Attribute hat ungültige Bildabmessungen.', 'duration' => 'dauer',
'distinct' => ':Attribute beinhaltet einen bereits vorhandenen Wert.', 'email' => 'e-mail-adresse',
'doesnt_end_with' => ':Attribute darf nicht mit einem der folgenden enden: :values.', 'excerpt' => 'auszug',
'doesnt_start_with' => ':Attribute darf nicht mit einem der folgenden beginnen: :values.', 'filter' => 'filter',
'email' => ':Attribute muss eine gültige E-Mail-Adresse sein.', 'first_name' => 'vorname',
'ends_with' => ':Attribute muss eine der folgenden Endungen aufweisen: :values', 'gender' => 'geschlecht',
'enum' => 'Der ausgewählte Wert ist ungültig.', 'group' => 'gruppe',
'exists' => 'Der gewählte Wert für :attribute ist ungültig.', 'hour' => 'stunde',
'file' => ':Attribute muss eine Datei sein.', 'image' => 'bild',
'filled' => ':Attribute muss ausgefüllt sein.', 'last_name' => 'nachname',
'gt' => [ 'lesson' => 'lesson',
'array' => ':Attribute muss mehr als :value Elemente haben.', 'line_address_1' => 'adresszeile 1',
'file' => ':Attribute muss größer als :value Kilobytes sein.', 'line_address_2' => 'adresszeile 2',
'numeric' => ':Attribute muss größer als :value sein.', 'message' => 'nachricht',
'string' => ':Attribute muss länger als :value Zeichen sein.', 'middle_name' => 'zweitname',
], 'minute' => 'minute',
'gte' => [ 'mobile' => 'handynummer',
'array' => ':Attribute muss mindestens :value Elemente haben.', 'month' => 'monat',
'file' => ':Attribute muss größer oder gleich :value Kilobytes sein.', 'name' => 'name',
'numeric' => ':Attribute muss größer oder gleich :value sein.', 'national_code' => 'länderkennung',
'string' => ':Attribute muss mindestens :value Zeichen lang sein.', 'number' => 'nummer',
], 'password' => 'passwort',
'image' => ':Attribute muss ein Bild sein.', 'password_confirmation' => 'passwortbestätigung',
'in' => 'Der gewählte Wert für :attribute ist ungültig.', 'phone' => 'telefonnummer',
'in_array' => 'Der gewählte Wert für :attribute kommt nicht in :other vor.', 'photo' => 'foto',
'integer' => ':Attribute muss eine ganze Zahl sein.', 'postal_code' => 'postleitzahl',
'ip' => ':Attribute muss eine gültige IP-Adresse sein.', 'price' => 'preis',
'ipv4' => ':Attribute muss eine gültige IPv4-Adresse sein.', 'province' => 'provinz',
'ipv6' => ':Attribute muss eine gültige IPv6-Adresse sein.', 'recaptcha_response_field' => 'captcha-feld',
'json' => ':Attribute muss ein gültiger JSON-String sein.', 'remember' => 'erinnern',
'lowercase' => ':Attribute muss in Kleinbuchstaben sein.', 'restored_at' => 'wiederhergestellt am',
'lt' => [ 'result_text_under_image' => 'ergebnistext unter bild',
'array' => ':Attribute muss weniger als :value Elemente haben.', 'role' => 'rolle',
'file' => ':Attribute muss kleiner als :value Kilobytes sein.', 'second' => 'sekunde',
'numeric' => ':Attribute muss kleiner als :value sein.', 'sex' => 'geschlecht',
'string' => ':Attribute muss kürzer als :value Zeichen sein.', 'short_text' => 'kurzer text',
], 'size' => 'größe',
'lte' => [ 'state' => 'bundesland',
'array' => ':Attribute darf maximal :value Elemente haben.', 'street' => 'straße',
'file' => ':Attribute muss kleiner oder gleich :value Kilobytes sein.', 'student' => 'schüler/student',
'numeric' => ':Attribute muss kleiner oder gleich :value sein.', 'subject' => 'subject',
'string' => ':Attribute darf maximal :value Zeichen lang sein.', 'teacher' => 'lehrer',
], 'terms' => 'bedingungen',
'mac_address' => 'Der Wert muss eine gültige MAC-Adresse sein.', 'test_description' => 'test beschreibung',
'max' => [ 'test_locale' => 'test region',
'array' => ':Attribute darf maximal :max Elemente haben.', 'test_name' => 'test name',
'file' => ':Attribute darf maximal :max Kilobytes groß sein.', 'text' => 'text',
'numeric' => ':Attribute darf maximal :max sein.', 'time' => 'uhrzeit',
'string' => ':Attribute darf maximal :max Zeichen haben.', 'title' => 'titel',
], 'updated_at' => 'aktualisiert am',
'max_digits' => ':Attribute darf maximal :max Ziffern lang sein.', 'username' => 'benutzername',
'mimes' => ':Attribute muss den Dateityp :values haben.', 'year' => 'jahr',
'mimetypes' => ':Attribute muss den Dateityp :values haben.', ),
'min' => [ 'before' => ':Attribute muss ein Datum vor :date sein.',
'array' => ':Attribute muss mindestens :min Elemente haben.', 'before_or_equal' => ':Attribute muss ein Datum vor :date oder gleich :date sein.',
'file' => ':Attribute muss mindestens :min Kilobytes groß sein.', 'between' =>
'numeric' => ':Attribute muss mindestens :min sein.', array (
'string' => ':Attribute muss mindestens :min Zeichen lang sein.', 'array' => ':Attribute muss zwischen :min & :max Elemente haben.',
], 'file' => ':Attribute muss zwischen :min & :max Kilobytes groß sein.',
'min_digits' => ':Attribute muss mindestens :min Ziffern lang sein.', 'numeric' => ':Attribute muss zwischen :min & :max liegen.',
'multiple_of' => ':Attribute muss ein Vielfaches von :value sein.', 'string' => ':Attribute muss zwischen :min & :max Zeichen lang sein.',
'not_in' => 'Der gewählte Wert für :attribute ist ungültig.', ),
'not_regex' => ':Attribute hat ein ungültiges Format.', 'boolean' => ':Attribute muss entweder \'true\' oder \'false\' sein.',
'numeric' => ':Attribute muss eine Zahl sein.', 'confirmed' => ':Attribute stimmt nicht mit der Bestätigung überein.',
'password' => [ 'current_password' => 'Das Passwort ist falsch.',
'letters' => ':Attribute muss mindestens einen Buchstaben beinhalten.', 'date' => ':Attribute muss ein gültiges Datum sein.',
'mixed' => ':Attribute muss mindestens einen Großbuchstaben und einen Kleinbuchstaben beinhalten.', 'date_equals' => ':Attribute muss ein Datum gleich :date sein.',
'numbers' => ':Attribute muss mindestens eine Zahl beinhalten.', 'date_format' => ':Attribute entspricht nicht dem gültigen Format für :format.',
'symbols' => ':Attribute muss mindestens ein Sonderzeichen beinhalten.', 'declined' => ':Attribute muss abgelehnt werden.',
'uncompromised' => ':Attribute wurde in einem Datenleck gefunden. Bitte wählen Sie ein anderes :attribute.', 'declined_if' => ':Attribute muss abgelehnt werden wenn :other :value ist.',
], 'different' => ':Attribute und :other müssen sich unterscheiden.',
'present' => ':Attribute muss vorhanden sein.', 'digits' => ':Attribute muss :digits Stellen haben.',
'prohibited' => ':Attribute ist unzulässig.', 'digits_between' => ':Attribute muss zwischen :min und :max Stellen haben.',
'prohibited_if' => ':Attribute ist unzulässig, wenn :other :value ist.', 'dimensions' => ':Attribute hat ungültige Bildabmessungen.',
'prohibited_unless' => ':Attribute ist unzulässig, wenn :other nicht :values ist.', 'distinct' => ':Attribute beinhaltet einen bereits vorhandenen Wert.',
'prohibits' => ':Attribute verbietet die Angabe von :other.', 'doesnt_end_with' => ':Attribute darf nicht mit einem der folgenden enden: :values.',
'regex' => ':Attribute Format ist ungültig.', 'doesnt_start_with' => ':Attribute darf nicht mit einem der folgenden beginnen: :values.',
'relatable' => ':Attribute kann nicht mit dieser Ressource verbunden werden.', 'email' => ':Attribute muss eine gültige E-Mail-Adresse sein.',
'required' => ':Attribute muss ausgefüllt werden.', 'ends_with' => ':Attribute muss eine der folgenden Endungen aufweisen: :values',
'required_array_keys' => 'Dieses Feld muss Einträge enthalten für: :values.', 'enum' => 'Der ausgewählte Wert ist ungültig.',
'required_if' => ':Attribute muss ausgefüllt werden, wenn :other den Wert :value hat.', 'exists' => 'Der gewählte Wert für :attribute ist ungültig.',
'required_if_accepted' => ':Attribute muss ausgefüllt werden, wenn :other gewählt ist.', 'file' => ':Attribute muss eine Datei sein.',
'required_unless' => ':Attribute muss ausgefüllt werden, wenn :other nicht den Wert :values hat.', 'filled' => ':Attribute muss ausgefüllt sein.',
'required_with' => ':Attribute muss ausgefüllt werden, wenn :values ausgefüllt wurde.', 'gt' =>
'required_with_all' => ':Attribute muss ausgefüllt werden, wenn :values ausgefüllt wurde.', array (
'required_without' => ':Attribute muss ausgefüllt werden, wenn :values nicht ausgefüllt wurde.', 'array' => ':Attribute muss mehr als :value Elemente haben.',
'required_without_all' => ':Attribute muss ausgefüllt werden, wenn keines der Felder :values ausgefüllt wurde.', 'file' => ':Attribute muss größer als :value Kilobytes sein.',
'same' => ':Attribute und :other müssen übereinstimmen.', 'numeric' => ':Attribute muss größer als :value sein.',
'size' => [ 'string' => ':Attribute muss länger als :value Zeichen sein.',
'array' => ':Attribute muss genau :size Elemente haben.', ),
'file' => ':Attribute muss :size Kilobyte groß sein.', 'gte' =>
'numeric' => ':Attribute muss gleich :size sein.', array (
'string' => ':Attribute muss :size Zeichen lang sein.', 'array' => ':Attribute muss mindestens :value Elemente haben.',
], 'file' => ':Attribute muss größer oder gleich :value Kilobytes sein.',
'starts_with' => ':Attribute muss mit einem der folgenden Anfänge aufweisen: :values', 'numeric' => ':Attribute muss größer oder gleich :value sein.',
'string' => ':Attribute muss ein String sein.', 'string' => ':Attribute muss mindestens :value Zeichen lang sein.',
'timezone' => ':Attribute muss eine gültige Zeitzone sein.', ),
'unique' => ':Attribute ist bereits vergeben.', 'image' => ':Attribute muss ein Bild sein.',
'uploaded' => ':Attribute konnte nicht hochgeladen werden.', 'in' => 'Der gewählte Wert für :attribute ist ungültig.',
'uppercase' => ':Attribute muss in Großbuchstaben sein.', 'in_array' => 'Der gewählte Wert für :attribute kommt nicht in :other vor.',
'url' => ':Attribute muss eine URL sein.', 'integer' => ':Attribute muss eine ganze Zahl sein.',
'uuid' => ':Attribute muss ein UUID sein.', 'ip' => ':Attribute muss eine gültige IP-Adresse sein.',
'attributes' => [ 'ipv4' => ':Attribute muss eine gültige IPv4-Adresse sein.',
'address' => 'adresse', 'ipv6' => ':Attribute muss eine gültige IPv6-Adresse sein.',
'age' => 'alter', 'json' => ':Attribute muss ein gültiger JSON-String sein.',
'amount' => 'amount', 'lowercase' => ':Attribute muss in Kleinbuchstaben sein.',
'area' => 'gebiet', 'lt' =>
'available' => 'verfügbar', array (
'birthday' => 'geburtstag', 'array' => ':Attribute muss weniger als :value Elemente haben.',
'body' => 'körper', 'file' => ':Attribute muss kleiner als :value Kilobytes sein.',
'city' => 'stadt', 'numeric' => ':Attribute muss kleiner als :value sein.',
'content' => 'inhalt', 'string' => ':Attribute muss kürzer als :value Zeichen sein.',
'country' => 'land', ),
'created_at' => 'erstellt am', 'lte' =>
'creator' => 'ersteller', array (
'current_password' => 'derzeitiges passwort', 'array' => ':Attribute darf maximal :value Elemente haben.',
'date' => 'datum', 'file' => ':Attribute muss kleiner oder gleich :value Kilobytes sein.',
'date_of_birth' => 'geburtsdatum', 'numeric' => ':Attribute muss kleiner oder gleich :value sein.',
'day' => 'tag', 'string' => ':Attribute darf maximal :value Zeichen lang sein.',
'deleted_at' => 'gelöscht am', ),
'description' => 'beschreibung', 'mac_address' => 'Der Wert muss eine gültige MAC-Adresse sein.',
'district' => 'bezirk', 'max' =>
'duration' => 'dauer', array (
'email' => 'e-mail-adresse', 'array' => ':Attribute darf maximal :max Elemente haben.',
'excerpt' => 'auszug', 'file' => ':Attribute darf maximal :max Kilobytes groß sein.',
'filter' => 'filter', 'numeric' => ':Attribute darf maximal :max sein.',
'first_name' => 'vorname', 'string' => ':Attribute darf maximal :max Zeichen haben.',
'gender' => 'geschlecht', ),
'group' => 'gruppe', 'max_digits' => ':Attribute darf maximal :max Ziffern lang sein.',
'hour' => 'stunde', 'mimes' => ':Attribute muss den Dateityp :values haben.',
'image' => 'bild', 'mimetypes' => ':Attribute muss den Dateityp :values haben.',
'last_name' => 'nachname', 'min' =>
'lesson' => 'lesson', array (
'line_address_1' => 'adresszeile 1', 'array' => ':Attribute muss mindestens :min Elemente haben.',
'line_address_2' => 'adresszeile 2', 'file' => ':Attribute muss mindestens :min Kilobytes groß sein.',
'message' => 'nachricht', 'numeric' => ':Attribute muss mindestens :min sein.',
'middle_name' => 'zweitname', 'string' => ':Attribute muss mindestens :min Zeichen lang sein.',
'minute' => 'minute', ),
'mobile' => 'handynummer', 'min_digits' => ':Attribute muss mindestens :min Ziffern lang sein.',
'month' => 'monat', 'multiple_of' => ':Attribute muss ein Vielfaches von :value sein.',
'name' => 'name', 'not_in' => 'Der gewählte Wert für :attribute ist ungültig.',
'national_code' => 'länderkennung', 'not_regex' => ':Attribute hat ein ungültiges Format.',
'number' => 'nummer', 'numeric' => ':Attribute muss eine Zahl sein.',
'password' => 'passwort', 'password' =>
'password_confirmation' => 'passwortbestätigung', array (
'phone' => 'telefonnummer', 'letters' => ':Attribute muss mindestens einen Buchstaben beinhalten.',
'photo' => 'foto', 'mixed' => ':Attribute muss mindestens einen Großbuchstaben und einen Kleinbuchstaben beinhalten.',
'postal_code' => 'postleitzahl', 'numbers' => ':Attribute muss mindestens eine Zahl beinhalten.',
'price' => 'preis', 'symbols' => ':Attribute muss mindestens ein Sonderzeichen beinhalten.',
'province' => 'provinz', 'uncompromised' => ':Attribute wurde in einem Datenleck gefunden. Bitte wählen Sie ein anderes :attribute.',
'recaptcha_response_field' => 'captcha-feld', ),
'remember' => 'erinnern', 'present' => ':Attribute muss vorhanden sein.',
'restored_at' => 'wiederhergestellt am', 'prohibited' => ':Attribute ist unzulässig.',
'result_text_under_image' => 'ergebnistext unter bild', 'prohibited_if' => ':Attribute ist unzulässig, wenn :other :value ist.',
'role' => 'rolle', 'prohibited_unless' => ':Attribute ist unzulässig, wenn :other nicht :values ist.',
'second' => 'sekunde', 'prohibits' => ':Attribute verbietet die Angabe von :other.',
'sex' => 'geschlecht', 'regex' => ':Attribute Format ist ungültig.',
'short_text' => 'kurzer text', 'relatable' => ':Attribute kann nicht mit dieser Ressource verbunden werden.',
'size' => 'größe', 'required' => ':Attribute muss ausgefüllt werden.',
'state' => 'bundesland', 'required_array_keys' => 'Dieses Feld muss Einträge enthalten für: :values.',
'street' => 'straße', 'required_if' => ':Attribute muss ausgefüllt werden, wenn :other den Wert :value hat.',
'student' => 'schüler/student', 'required_if_accepted' => ':Attribute muss ausgefüllt werden, wenn :other gewählt ist.',
'subject' => 'subject', 'required_unless' => ':Attribute muss ausgefüllt werden, wenn :other nicht den Wert :values hat.',
'teacher' => 'lehrer', 'required_with' => ':Attribute muss ausgefüllt werden, wenn :values ausgefüllt wurde.',
'terms' => 'bedingungen', 'required_with_all' => ':Attribute muss ausgefüllt werden, wenn :values ausgefüllt wurde.',
'test_description' => 'test beschreibung', 'required_without' => ':Attribute muss ausgefüllt werden, wenn :values nicht ausgefüllt wurde.',
'test_locale' => 'test region', 'required_without_all' => ':Attribute muss ausgefüllt werden, wenn keines der Felder :values ausgefüllt wurde.',
'test_name' => 'test name', 'same' => ':Attribute und :other müssen übereinstimmen.',
'text' => 'text', 'size' =>
'time' => 'uhrzeit', array (
'title' => 'titel', 'array' => ':Attribute muss genau :size Elemente haben.',
'updated_at' => 'aktualisiert am', 'file' => ':Attribute muss :size Kilobyte groß sein.',
'username' => 'benutzername', 'numeric' => ':Attribute muss gleich :size sein.',
'year' => 'jahr', 'string' => ':Attribute muss :size Zeichen lang sein.',
], ),
]; 'starts_with' => ':Attribute muss mit einem der folgenden Anfänge aufweisen: :values',
'string' => ':Attribute muss ein String sein.',
'timezone' => ':Attribute muss eine gültige Zeitzone sein.',
'unique' => ':Attribute ist bereits vergeben.',
'uploaded' => ':Attribute konnte nicht hochgeladen werden.',
'uppercase' => ':Attribute muss in Großbuchstaben sein.',
'url' => ':Attribute muss eine URL sein.',
'uuid' => ':Attribute muss ein UUID sein.',
);

View File

@@ -204,10 +204,10 @@
"Your email address is unverified.": "Your email address is unverified.", "Your email address is unverified.": "Your email address is unverified.",
"Perimeter search course date :name (100km)": "Perimeter search course date :name (100km)", "Perimeter search course date :name (100km)": "Perimeter search course date :name (100km)",
"Unsubscribe from receive notification about :commentableName": "Unsubscribe from receive notification about :commentableName", "Unsubscribe from receive notification about :commentableName": "Unsubscribe from receive notification about :commentableName",
"You can use <a href=\"https://spatie.be/markdown\" target=\"_blank\" rel=\"nofollow noopener noreferrer\">Markdown</a>": "You can use <a href=\"https://spatie.be/markdown\" target=\"_blank\" rel=\"nofollow noopener noreferrer\">Markdown</a>", "You can use <a href=\"https:\/\/spatie.be\/markdown\" target=\"_blank\" rel=\"nofollow noopener noreferrer\">Markdown<\/a>": "You can use <a href=\"https:\/\/spatie.be\/markdown\" target=\"_blank\" rel=\"nofollow noopener noreferrer\">Markdown<\/a>",
"Github": "Github", "Github": "Github",
"On :asDateTime :name has added :amount Bitcoin books.": "On :asDateTime :name has added :amount Bitcoin books.", "On :asDateTime :name has added :amount Bitcoin books.": "On :asDateTime :name has added :amount Bitcoin books.",
"\uD83D\uDC8A Orange Pill Now": "\uD83D\uDC8A Orange Pill Now", "💊 Orange Pill Now": "💊 Orange Pill Now",
"Details": "Details", "Details": "Details",
"The comment has been rejected.": "The comment has been rejected.", "The comment has been rejected.": "The comment has been rejected.",
"Do you want to reject the comment?": "Do you want to reject the comment?", "Do you want to reject the comment?": "Do you want to reject the comment?",
@@ -216,5 +216,391 @@
"Do you want to unsubscribe from every comment notification?": "Do you want to unsubscribe from every comment notification?", "Do you want to unsubscribe from every comment notification?": "Do you want to unsubscribe from every comment notification?",
"Approve": "Approve", "Approve": "Approve",
"Approve2": "Approve", "Approve2": "Approve",
"Do you want to unsubscribe?": "Do you want to unsubscribe?" "Do you want to unsubscribe?": "Do you want to unsubscribe?",
"Book": "",
"Article": "",
"Markdown Article": "",
"Youtube Video": "",
"Vimeo Video": "",
"Podcast Episode": "",
"Downloadable File": "",
"Bitcoin Events": "",
"Country": "",
"Title": "",
"From": "",
"To": "",
"Venue": "",
"Link": "",
"No bookcases found in the radius of 5km": "",
"City": "",
"Search City": "",
"Search Venue": "",
"Course": "",
"Search Course": "",
"Type": "",
"Lecturer": "",
"Actions": "",
"Meetup": "",
"Location": "",
"Start": "",
"Links": "",
"Bookcase": "",
"Created by: :name": "",
"Logo": "",
"Show worldwide": "",
"If checked, the event will be shown everywhere.": "",
"Description": "",
"Created By": "",
"Book Case": "",
"Latitude": "",
"Longitude": "",
"Address": "",
"Open": "",
"Comment": "",
"Contact": "",
"Bcz": "",
"Digital": "",
"Icontype": "",
"Deactivated": "",
"Deactreason": "",
"Entrytype": "",
"Homepage": "",
"OrangePills": "",
"Comments": "",
"Slug": "",
"Courses": "",
"Country: :name": "",
"Venues": "",
"Course Events": "",
"Meetups": "",
"Commentator": "",
"Original text": "",
"Show": "",
"Status": "",
"Created at": "",
"Code: :code": "",
"English name": "",
"Languages": "",
"Cities": "",
"Main picture": "",
"Images": "",
"Upload images here to insert them later in the Markdown Description. But you have to save before.": "",
"Tags": "",
"Markdown is allowed. You can paste images from the \"Images\" field here. Use the link icon of the images for the urls after clicking \"Update and continue\".": "",
"Select here the lecturer who holds the course. If the lecturer is not in the list, create it first under \"Lecturers\".": "",
"Categories": "",
"Course Event": "",
"Image": "",
"Data": "",
"Podcast": "",
"Lecturer\/Content Creator": "",
"Library": "",
"Is public": "",
"Library Item": "",
"Language Code": "",
"Value": "",
"Episode": "",
"Meetup Event": "",
"Locked": "",
"Episodes": "",
"Users": "",
"City: :name": "",
"Street": "",
"Locations": "",
"MIT License": "",
"nova-spatie-permissions::lang.display_names\": \"": "",
"Please copy your new API token. For your security, it won\\'t be shown again.": "",
"Back to the website": "",
"I want to submit new courses on this platform": "",
"Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn\\'t receive the email, we will gladly send you another.": "",
"no bitcoin books yet": "",
"Perimeter search bookcase :name (5km)": "",
"Show dates": "",
"Show content": "",
"Download": "",
"Listen": "",
"Calendar Stream Url copied!": "",
"Paste the calendar stream link into a compatible calendar app.": "",
"Calendar Stream-Url": "",
"URL copied!": "",
"Copy": "",
"Email login": "",
"Email registration": "",
"Zeus bug:": "",
"Bookcases": "",
"Search out a public bookcase": "",
"Built with ❤️ by our team.": "",
"Wish List\/Feedback": "",
"Translate (:lang :percent%)": "",
"Back to the overview": "",
"Lecturers": "",
"Events": "",
"Library for lecturers": "",
"City search": "",
"World map": "",
"Meetup dates": "",
"Change country": "",
"Change language": "",
"Registration": "",
"Choose your city, search for courses in the surrounding area and select a topic that suits you.": "",
"Content": "",
"Choose a topic that is right for you.": "",
"Search": "",
"Dates": "",
"Einundzwanzig": "",
"Bitcoin Portal": "",
"A Bitcoin community for all.": "",
"Plebs together strong": "",
"Education": "",
"Worldwide": "",
"Reading": "",
"School": "",
"Find Bitcoin courses in your city": "",
"👇 Find a course 👇": "",
"Select a tab": "",
"Lecturer Libraries": "",
"Libraries": "",
"Creator": "",
"Contents": "",
"Calendar Stream-Url for all meetup events": "",
"Bitcoiner": "",
"Plebs together strong 💪": "",
"Bitcoiner Meetups are a great way to meet other Bitcoiners in your area. You can learn from each other, share ideas, and have fun!": "",
"Orange Pill Book Case": "",
"So far here were": "",
"Number of books": "",
"How many bitcoin books have you put in?": "",
"Date": "",
"When did you put bitcoin books in?": "",
"For example, what books you put in.": "",
"Von": "",
"Bis": "",
"Link to the registration": "",
"Submit Meetup": "",
"Register Meetup date": "",
"Register lecturer": "",
"Register course": "",
"Register course date": "",
"Submit contents": "",
"Register event": "",
"My profile": "",
"When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone\\'s Google Authenticator application.": "",
"To finish enabling two factor authentication, scan the following QR code using your phone\\'s authenticator application or enter the setup key and provide the generated OTP code.": "",
"Two factor authentication is now enabled. Scan the following QR code using your phone\\'s authenticator application or enter the setup key.": "",
"Update your account\\'s profile information and email address.": "",
"Timezone": "",
"The team\\'s name and owner information.": "",
"The comment has been approved.": "",
"Do you want to approve the comment?": "",
"Dismiss": "",
"close": "",
"Rotate -90": "",
"Rotate +90": "",
"Update": "",
"Add New \".concat(e)):this.__(\"Upload New \".concat(e))},mustCrop:function(){return\"mustCrop\"in this.field&&this.field.mustCrop}},watch:{modelValue:function(e){this.images=e||[]},images:function(e,t){this.queueNewImages(e,t),this.$emit(\"update:modelValue": "",
"Maximum file size is :amount MB": "",
"File type must be: :types": "",
"Uploading": "",
"Do you really want to leave? You have unsaved changes.": "",
"*": "",
"Select": "",
"Existing Media": "",
"Search by name or file name": "",
"No results found": "",
"Load Next Page": "",
"Add Existing \".concat(e)):this.__(\"Use Existing \".concat(e))}},methods:{setInitialValue:function(){var e=this.field.value||[];this.field.multiple||(e=e.slice(0,1)),this.value=e,this.hasSetInitialValue=!0},fill:function(e){var t=this,n=this.field.attribute;this.value.forEach((function(r,i){var o,a,s;!r.id?r.isVaporUpload?(e.append(\"__media__[\".concat(n,\"][": "",
"nova-spatie-permissions::lang.display_names.'.$this->name);\n\t\t\t})->canSee(function (){\n\t\t\t\treturn is_array(__('nova-spatie-permissions::lang.display_names": "",
"This will go in the JSON array": "",
"This will also go in the JSON array": "",
"trans": "",
"Go Home": "",
"Whoops": "",
"We're lost in space. The page you were trying to view does not exist.": "",
"Hold Up!": "",
"The government won't let us show you what's behind these doors": "",
":-(": "",
"Nova experienced an unrecoverable error.": "",
"Toggle Collapsed": "",
"This resource no longer exists": "",
":resource Details: :title": "",
"Soft Deleted": "",
"View": "",
"Edit": "",
"The resource was attached!": "",
"Attach :resource": "",
"No additional information...": "",
"Choose :resource": "",
"Attach & Attach Another": "",
"The resource was updated!": "",
"Update attached :resource: :title": "",
"Choose :field": "",
"Update & Continue Editing": "",
"Update :resource": "",
"Toggle Sidebar": "",
"Close Sidebar": "",
"Sorry, your session has expired.": "",
"Reload": "",
"There was a problem executing the action.": "",
"The action was executed successfully.": "",
"There was a problem submitting the form.": "",
"Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "",
"Standalone Actions": "",
"Select Action": "",
"Stop Polling": "",
"Start Polling": "",
"Show Cards": "",
"Hide Cards": "",
"The HasOne relationship has already been filled.": "",
"The HasOneThrough relationship has already been filled.": "",
"The :resource was created!": "",
"Create :resource": "",
"Create & Add Another": "",
"Attach": "",
"Restore Selected": "",
"Force Delete Selected": "",
"Trash Dropdown": "",
"Force Delete Resource": "",
"Are you sure you want to force delete the selected resources?": "",
"The :resource was deleted!": "",
"The :resource was restored!": "",
"Replicate": "",
"Impersonate": "",
"Delete Resource": "",
"Restore Resource": "",
"Resource Row Dropdown": "",
"Preview": "",
"Select this page": "",
"Select all": "",
"Select All Dropdown": "",
"Light": "",
"Dark": "",
"System": "",
"Hide Content": "",
"Show Content": "",
"Reset Filters": "",
"With Trashed": "",
"Only Trashed": "",
"Trashed": "",
"Per Page": "",
"Filter Dropdown": "",
"Choose date": "",
"—": "",
"Press \/ to search": "",
"No Results Found.": "",
"No :resource matched the given criteria.": "",
"Failed to load :resource!": "",
"Click to choose": "",
"Lens Dropdown": "",
"Unregistered": "",
"total": "",
"Select Ranges": "",
"No Increase": "",
"No Prior Data": "",
"No Current Data": "",
"No Data": "",
"Delete File": "",
"Are you sure you want to delete this file?": "",
"Are you sure you want to \"+o.mode+\" the selected resources?": "",
"Previewing": "",
"View :resource": "",
"There are no fields to display.": "",
"Are you sure you want to restore the selected resources?": "",
"Restore": "",
"Are you sure you want to delete this notification?": "",
"Notifications": "",
"Mark all as Read": "",
"There are no new notifications.": "",
"Load :perPage More": "",
"All resources loaded.": "",
":amount Total": "",
"Previous": "",
"Next": "",
"Copy to clipboard": "",
"There's nothing configured to show here.": "",
"Selected Resources": "",
"Controls": "",
"Select Resource :title": "",
"Edit Attached": "",
"Are you sure you want to restore this resource?": "",
"Show more": "",
"Are you sure you want to log out?": "",
"Are you sure you want to stop impersonating?": "",
"Nova User": "",
"Stop Impersonating": "",
":name's Avatar": "",
"Something went wrong.": "",
"Yes": "",
"No": "",
"Show All Fields": "",
"End": "",
"Min": "",
"Max": "",
"Sorry! You are not authorized to perform this action.": "",
"The file was deleted!": "",
"There was a problem fetching the resource.": "",
"Write": "",
"Choose Type": "",
"There are no available options for this resource.": "",
"Choose": "",
"Choose an option": "",
"Customize": "",
"An error occurred while uploading the file.": "",
"Refresh": "",
"Forgot Password": "",
"Log In": "",
"Welcome Back!": "",
"The :resource was updated!": "",
"Update :resource: :title": "",
"Choose Files": "",
"Choose File": "",
"Drop files or click to choose": "",
"Drop file or click to choose": "",
"Choose a file": "",
"&mdash;": "",
"The image could not be loaded.": "",
":name\\\\'s Avatar": "",
"taylorotwell": "",
"Laravel Nova": "",
"Laravel Nova :version": "",
"Are you sure you want to ' + mode + ' the selected resources?": "",
":name\\'s Avatar": "",
"ID": "",
"Action Name": "",
"Action Initiated By": "",
"Action Target": "",
"Action Status": "",
"Waiting": "",
"Running": "",
"Failed": "",
"Original": "",
"Changes": "",
"Exception": "",
"Action Happened At": "",
"Action": "",
"CSV (.csv)": "",
"Excel (.xlsx)": "",
"Filename": "",
"30 Days": "",
"60 Days": "",
"90 Days": "",
"365 Days": "",
"Today": "",
"Month To Date": "",
"Quarter To Date": "",
"Year To Date": "",
"Unable to find Resource for model [:model].": "",
"The resource was prevented from being saved!": "",
"Loading": "",
"Finished": "",
"Key": "",
"Add row": "",
"Resources": "",
"Dashboards": "",
"Replicate :resource": "",
"time": "",
"All Columns": "",
"All": "",
"N\/A": "",
"Add tags...": "",
"Add tag...": ""
} }

View File

@@ -0,0 +1,11 @@
<?php
return array (
'' =>
array (
'' =>
array (
'' => '',
),
),
);

View File

@@ -1,9 +1,7 @@
<?php <?php
declare(strict_types=1); return array (
'failed' => 'These credentials do not match our records.',
return [ 'password' => 'The password is incorrect.',
'failed' => 'These credentials do not match our records.', 'throttle' => 'Too many login attempts. Please try again in :seconds seconds.',
'password' => 'The password is incorrect.', );
'throttle' => 'Too many login attempts. Please try again in :seconds seconds.',
];

View File

@@ -1,84 +1,82 @@
<?php <?php
declare(strict_types=1); return array (
0 => 'Unknown Error',
return [ 'unknownError' => 'Unknown Error',
'0' => 'Unknown Error', 100 => 'Continue',
'100' => 'Continue', 101 => 'Switching Protocols',
'101' => 'Switching Protocols', 102 => 'Processing',
'102' => 'Processing', 200 => 'OK',
'200' => 'OK', 201 => 'Created',
'201' => 'Created', 202 => 'Accepted',
'202' => 'Accepted', 203 => 'Non-Authoritative Information',
'203' => 'Non-Authoritative Information', 204 => 'No Content',
'204' => 'No Content', 205 => 'Reset Content',
'205' => 'Reset Content', 206 => 'Partial Content',
'206' => 'Partial Content', 207 => 'Multi-Status',
'207' => 'Multi-Status', 208 => 'Already Reported',
'208' => 'Already Reported', 226 => 'IM Used',
'226' => 'IM Used', 300 => 'Multiple Choices',
'300' => 'Multiple Choices', 301 => 'Moved Permanently',
'301' => 'Moved Permanently', 302 => 'Found',
'302' => 'Found', 303 => 'See Other',
'303' => 'See Other', 304 => 'Not Modified',
'304' => 'Not Modified', 305 => 'Use Proxy',
'305' => 'Use Proxy', 307 => 'Temporary Redirect',
'307' => 'Temporary Redirect', 308 => 'Permanent Redirect',
'308' => 'Permanent Redirect', 400 => 'Bad Request',
'400' => 'Bad Request', 401 => 'Unauthorized',
'401' => 'Unauthorized', 402 => 'Payment Required',
'402' => 'Payment Required', 403 => 'Forbidden',
'403' => 'Forbidden', 404 => 'Not Found',
'404' => 'Not Found', 405 => 'Method Not Allowed',
'405' => 'Method Not Allowed', 406 => 'Not Acceptable',
'406' => 'Not Acceptable', 407 => 'Proxy Authentication Required',
'407' => 'Proxy Authentication Required', 408 => 'Request Timeout',
'408' => 'Request Timeout', 409 => 'Conflict',
'409' => 'Conflict', 410 => 'Gone',
'410' => 'Gone', 411 => 'Length Required',
'411' => 'Length Required', 412 => 'Precondition Failed',
'412' => 'Precondition Failed', 413 => 'Payload Too Large',
'413' => 'Payload Too Large', 414 => 'URI Too Long',
'414' => 'URI Too Long', 415 => 'Unsupported Media Type',
'415' => 'Unsupported Media Type', 416 => 'Range Not Satisfiable',
'416' => 'Range Not Satisfiable', 417 => 'Expectation Failed',
'417' => 'Expectation Failed', 418 => 'I\'m a teapot',
'418' => 'I\'m a teapot', 419 => 'Session Has Expired',
'419' => 'Session Has Expired', 421 => 'Misdirected Request',
'421' => 'Misdirected Request', 422 => 'Unprocessable Entity',
'422' => 'Unprocessable Entity', 423 => 'Locked',
'423' => 'Locked', 424 => 'Failed Dependency',
'424' => 'Failed Dependency', 425 => 'Too Early',
'425' => 'Too Early', 426 => 'Upgrade Required',
'426' => 'Upgrade Required', 428 => 'Precondition Required',
'428' => 'Precondition Required', 429 => 'Too Many Requests',
'429' => 'Too Many Requests', 431 => 'Request Header Fields Too Large',
'431' => 'Request Header Fields Too Large', 444 => 'Connection Closed Without Response',
'444' => 'Connection Closed Without Response', 449 => 'Retry With',
'449' => 'Retry With', 451 => 'Unavailable For Legal Reasons',
'451' => 'Unavailable For Legal Reasons', 499 => 'Client Closed Request',
'499' => 'Client Closed Request', 500 => 'Internal Server Error',
'500' => 'Internal Server Error', 501 => 'Not Implemented',
'501' => 'Not Implemented', 502 => 'Bad Gateway',
'502' => 'Bad Gateway', 503 => 'Maintenance Mode',
'503' => 'Maintenance Mode', 504 => 'Gateway Timeout',
'504' => 'Gateway Timeout', 505 => 'HTTP Version Not Supported',
'505' => 'HTTP Version Not Supported', 506 => 'Variant Also Negotiates',
'506' => 'Variant Also Negotiates', 507 => 'Insufficient Storage',
'507' => 'Insufficient Storage', 508 => 'Loop Detected',
'508' => 'Loop Detected', 509 => 'Bandwidth Limit Exceeded',
'509' => 'Bandwidth Limit Exceeded', 510 => 'Not Extended',
'510' => 'Not Extended', 511 => 'Network Authentication Required',
'511' => 'Network Authentication Required', 520 => 'Unknown Error',
'520' => 'Unknown Error', 521 => 'Web Server is Down',
'521' => 'Web Server is Down', 522 => 'Connection Timed Out',
'522' => 'Connection Timed Out', 523 => 'Origin Is Unreachable',
'523' => 'Origin Is Unreachable', 524 => 'A Timeout Occurred',
'524' => 'A Timeout Occurred', 525 => 'SSL Handshake Failed',
'525' => 'SSL Handshake Failed', 526 => 'Invalid SSL Certificate',
'526' => 'Invalid SSL Certificate', 527 => 'Railgun Error',
'527' => 'Railgun Error', 598 => 'Network Read Timeout Error',
'598' => 'Network Read Timeout Error', 599 => 'Network Connect Timeout Error',
'599' => 'Network Connect Timeout Error', );
'unknownError' => 'Unknown Error',
];

View File

@@ -1,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
'next' => 'Next &raquo;',
return [ 'previous' => '&laquo; Previous',
'next' => 'Next &raquo;', );
'previous' => '&laquo; Previous',
];

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
'reset' => 'Your password has been reset!',
return [ 'sent' => 'We have emailed your password reset link!',
'reset' => 'Your password has been reset!', 'throttled' => 'Please wait before retrying.',
'sent' => 'We have emailed your password reset link!', 'token' => 'This password reset token is invalid.',
'throttled' => 'Please wait before retrying.', 'user' => 'We can\'t find a user with that email address.',
'token' => 'This password reset token is invalid.', );
'user' => 'We can\'t find a user with that email address.',
];

View File

@@ -0,0 +1,6 @@
<?php
return array (
'first_match' => '',
'third_match' => '',
);

View File

@@ -1,210 +1,218 @@
<?php <?php
declare(strict_types=1); return array (
'accepted' => 'The :attribute must be accepted.',
return [ 'accepted_if' => 'The :attribute must be accepted when :other is :value.',
'accepted' => 'The :attribute must be accepted.', 'active_url' => 'The :attribute is not a valid URL.',
'accepted_if' => 'The :attribute must be accepted when :other is :value.', 'after' => 'The :attribute must be a date after :date.',
'active_url' => 'The :attribute is not a valid URL.', 'after_or_equal' => 'The :attribute must be a date after or equal to :date.',
'after' => 'The :attribute must be a date after :date.', 'alpha' => 'The :attribute must only contain letters.',
'after_or_equal' => 'The :attribute must be a date after or equal to :date.', 'alpha_dash' => 'The :attribute must only contain letters, numbers, dashes and underscores.',
'alpha' => 'The :attribute must only contain letters.', 'alpha_num' => 'The :attribute must only contain letters and numbers.',
'alpha_dash' => 'The :attribute must only contain letters, numbers, dashes and underscores.', 'array' => 'The :attribute must be an array.',
'alpha_num' => 'The :attribute must only contain letters and numbers.', 'attached' => 'This :attribute is already attached.',
'array' => 'The :attribute must be an array.', 'attributes' =>
'attached' => 'This :attribute is already attached.', array (
'before' => 'The :attribute must be a date before :date.', 'address' => 'address',
'before_or_equal' => 'The :attribute must be a date before or equal to :date.', 'age' => 'age',
'between' => [ 'amount' => 'amount',
'array' => 'The :attribute must have between :min and :max items.', 'area' => 'area',
'file' => 'The :attribute must be between :min and :max kilobytes.', 'available' => 'available',
'numeric' => 'The :attribute must be between :min and :max.', 'birthday' => 'birthday',
'string' => 'The :attribute must be between :min and :max characters.', 'body' => 'body',
], 'city' => 'city',
'boolean' => 'The :attribute field must be true or false.', 'content' => 'content',
'confirmed' => 'The :attribute confirmation does not match.', 'country' => 'country',
'current_password' => 'The password is incorrect.', 'created_at' => 'created at',
'date' => 'The :attribute is not a valid date.', 'creator' => 'creator',
'date_equals' => 'The :attribute must be a date equal to :date.', 'current_password' => 'current password',
'date_format' => 'The :attribute does not match the format :format.', 'date' => 'date',
'declined' => 'The :attribute must be declined.', 'date_of_birth' => 'date of birth',
'declined_if' => 'The :attribute must be declined when :other is :value.', 'day' => 'day',
'different' => 'The :attribute and :other must be different.', 'deleted_at' => 'deleted at',
'digits' => 'The :attribute must be :digits digits.', 'description' => 'description',
'digits_between' => 'The :attribute must be between :min and :max digits.', 'district' => 'district',
'dimensions' => 'The :attribute has invalid image dimensions.', 'duration' => 'duration',
'distinct' => 'The :attribute field has a duplicate value.', 'email' => 'email',
'doesnt_end_with' => 'The :attribute may not end with one of the following: :values.', 'excerpt' => 'excerpt',
'doesnt_start_with' => 'The :attribute may not start with one of the following: :values.', 'filter' => 'filter',
'email' => 'The :attribute must be a valid email address.', 'first_name' => 'first name',
'ends_with' => 'The :attribute must end with one of the following: :values.', 'gender' => 'gender',
'enum' => 'The selected :attribute is invalid.', 'group' => 'group',
'exists' => 'The selected :attribute is invalid.', 'hour' => 'hour',
'file' => 'The :attribute must be a file.', 'image' => 'image',
'filled' => 'The :attribute field must have a value.', 'last_name' => 'last name',
'gt' => [ 'lesson' => 'lesson',
'array' => 'The :attribute must have more than :value items.', 'line_address_1' => 'line address 1',
'file' => 'The :attribute must be greater than :value kilobytes.', 'line_address_2' => 'line address 2',
'numeric' => 'The :attribute must be greater than :value.', 'message' => 'message',
'string' => 'The :attribute must be greater than :value characters.', 'middle_name' => 'middle name',
], 'minute' => 'minute',
'gte' => [ 'mobile' => 'mobile',
'array' => 'The :attribute must have :value items or more.', 'month' => 'month',
'file' => 'The :attribute must be greater than or equal to :value kilobytes.', 'name' => 'name',
'numeric' => 'The :attribute must be greater than or equal to :value.', 'national_code' => 'national code',
'string' => 'The :attribute must be greater than or equal to :value characters.', 'number' => 'number',
], 'password' => 'password',
'image' => 'The :attribute must be an image.', 'password_confirmation' => 'password confirmation',
'in' => 'The selected :attribute is invalid.', 'phone' => 'phone',
'in_array' => 'The :attribute field does not exist in :other.', 'photo' => 'photo',
'integer' => 'The :attribute must be an integer.', 'postal_code' => 'postal code',
'ip' => 'The :attribute must be a valid IP address.', 'price' => 'price',
'ipv4' => 'The :attribute must be a valid IPv4 address.', 'province' => 'province',
'ipv6' => 'The :attribute must be a valid IPv6 address.', 'recaptcha_response_field' => 'recaptcha response field',
'json' => 'The :attribute must be a valid JSON string.', 'remember' => 'remember',
'lowercase' => 'The :attribute must be lowercase.', 'restored_at' => 'restored at',
'lt' => [ 'result_text_under_image' => 'result text under image',
'array' => 'The :attribute must have less than :value items.', 'role' => 'role',
'file' => 'The :attribute must be less than :value kilobytes.', 'second' => 'second',
'numeric' => 'The :attribute must be less than :value.', 'sex' => 'sex',
'string' => 'The :attribute must be less than :value characters.', 'short_text' => 'short text',
], 'size' => 'size',
'lte' => [ 'state' => 'state',
'array' => 'The :attribute must not have more than :value items.', 'street' => 'street',
'file' => 'The :attribute must be less than or equal to :value kilobytes.', 'student' => 'student',
'numeric' => 'The :attribute must be less than or equal to :value.', 'subject' => 'subject',
'string' => 'The :attribute must be less than or equal to :value characters.', 'teacher' => 'teacher',
], 'terms' => 'terms',
'mac_address' => 'The :attribute must be a valid MAC address.', 'test_description' => 'test description',
'max' => [ 'test_locale' => 'test locale',
'array' => 'The :attribute must not have more than :max items.', 'test_name' => 'test name',
'file' => 'The :attribute must not be greater than :max kilobytes.', 'text' => 'text',
'numeric' => 'The :attribute must not be greater than :max.', 'time' => 'time',
'string' => 'The :attribute must not be greater than :max characters.', 'title' => 'title',
], 'updated_at' => 'updated at',
'max_digits' => 'The :attribute must not have more than :max digits.', 'username' => 'username',
'mimes' => 'The :attribute must be a file of type: :values.', 'year' => 'year',
'mimetypes' => 'The :attribute must be a file of type: :values.', ),
'min' => [ 'before' => 'The :attribute must be a date before :date.',
'array' => 'The :attribute must have at least :min items.', 'before_or_equal' => 'The :attribute must be a date before or equal to :date.',
'file' => 'The :attribute must be at least :min kilobytes.', 'between' =>
'numeric' => 'The :attribute must be at least :min.', array (
'string' => 'The :attribute must be at least :min characters.', 'array' => 'The :attribute must have between :min and :max items.',
], 'file' => 'The :attribute must be between :min and :max kilobytes.',
'min_digits' => 'The :attribute must have at least :min digits.', 'numeric' => 'The :attribute must be between :min and :max.',
'multiple_of' => 'The :attribute must be a multiple of :value.', 'string' => 'The :attribute must be between :min and :max characters.',
'not_in' => 'The selected :attribute is invalid.', ),
'not_regex' => 'The :attribute format is invalid.', 'boolean' => 'The :attribute field must be true or false.',
'numeric' => 'The :attribute must be a number.', 'confirmed' => 'The :attribute confirmation does not match.',
'password' => [ 'current_password' => 'The password is incorrect.',
'letters' => 'The :attribute must contain at least one letter.', 'date' => 'The :attribute is not a valid date.',
'mixed' => 'The :attribute must contain at least one uppercase and one lowercase letter.', 'date_equals' => 'The :attribute must be a date equal to :date.',
'numbers' => 'The :attribute must contain at least one number.', 'date_format' => 'The :attribute does not match the format :format.',
'symbols' => 'The :attribute must contain at least one symbol.', 'declined' => 'The :attribute must be declined.',
'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.', 'declined_if' => 'The :attribute must be declined when :other is :value.',
], 'different' => 'The :attribute and :other must be different.',
'present' => 'The :attribute field must be present.', 'digits' => 'The :attribute must be :digits digits.',
'prohibited' => 'The :attribute field is prohibited.', 'digits_between' => 'The :attribute must be between :min and :max digits.',
'prohibited_if' => 'The :attribute field is prohibited when :other is :value.', 'dimensions' => 'The :attribute has invalid image dimensions.',
'prohibited_unless' => 'The :attribute field is prohibited unless :other is in :values.', 'distinct' => 'The :attribute field has a duplicate value.',
'prohibits' => 'The :attribute field prohibits :other from being present.', 'doesnt_end_with' => 'The :attribute may not end with one of the following: :values.',
'regex' => 'The :attribute format is invalid.', 'doesnt_start_with' => 'The :attribute may not start with one of the following: :values.',
'relatable' => 'This :attribute may not be associated with this resource.', 'email' => 'The :attribute must be a valid email address.',
'required' => 'The :attribute field is required.', 'ends_with' => 'The :attribute must end with one of the following: :values.',
'required_array_keys' => 'The :attribute field must contain entries for: :values.', 'enum' => 'The selected :attribute is invalid.',
'required_if' => 'The :attribute field is required when :other is :value.', 'exists' => 'The selected :attribute is invalid.',
'required_if_accepted' => 'The :attribute field is required when :other is accepted.', 'file' => 'The :attribute must be a file.',
'required_unless' => 'The :attribute field is required unless :other is in :values.', 'filled' => 'The :attribute field must have a value.',
'required_with' => 'The :attribute field is required when :values is present.', 'gt' =>
'required_with_all' => 'The :attribute field is required when :values are present.', array (
'required_without' => 'The :attribute field is required when :values is not present.', 'array' => 'The :attribute must have more than :value items.',
'required_without_all' => 'The :attribute field is required when none of :values are present.', 'file' => 'The :attribute must be greater than :value kilobytes.',
'same' => 'The :attribute and :other must match.', 'numeric' => 'The :attribute must be greater than :value.',
'size' => [ 'string' => 'The :attribute must be greater than :value characters.',
'array' => 'The :attribute must contain :size items.', ),
'file' => 'The :attribute must be :size kilobytes.', 'gte' =>
'numeric' => 'The :attribute must be :size.', array (
'string' => 'The :attribute must be :size characters.', 'array' => 'The :attribute must have :value items or more.',
], 'file' => 'The :attribute must be greater than or equal to :value kilobytes.',
'starts_with' => 'The :attribute must start with one of the following: :values.', 'numeric' => 'The :attribute must be greater than or equal to :value.',
'string' => 'The :attribute must be a string.', 'string' => 'The :attribute must be greater than or equal to :value characters.',
'timezone' => 'The :attribute must be a valid timezone.', ),
'unique' => 'The :attribute has already been taken.', 'image' => 'The :attribute must be an image.',
'uploaded' => 'The :attribute failed to upload.', 'in' => 'The selected :attribute is invalid.',
'uppercase' => 'The :attribute must be uppercase.', 'in_array' => 'The :attribute field does not exist in :other.',
'url' => 'The :attribute must be a valid URL.', 'integer' => 'The :attribute must be an integer.',
'uuid' => 'The :attribute must be a valid UUID.', 'ip' => 'The :attribute must be a valid IP address.',
'attributes' => [ 'ipv4' => 'The :attribute must be a valid IPv4 address.',
'address' => 'address', 'ipv6' => 'The :attribute must be a valid IPv6 address.',
'age' => 'age', 'json' => 'The :attribute must be a valid JSON string.',
'amount' => 'amount', 'lowercase' => 'The :attribute must be lowercase.',
'area' => 'area', 'lt' =>
'available' => 'available', array (
'birthday' => 'birthday', 'array' => 'The :attribute must have less than :value items.',
'body' => 'body', 'file' => 'The :attribute must be less than :value kilobytes.',
'city' => 'city', 'numeric' => 'The :attribute must be less than :value.',
'content' => 'content', 'string' => 'The :attribute must be less than :value characters.',
'country' => 'country', ),
'created_at' => 'created at', 'lte' =>
'creator' => 'creator', array (
'current_password' => 'current password', 'array' => 'The :attribute must not have more than :value items.',
'date' => 'date', 'file' => 'The :attribute must be less than or equal to :value kilobytes.',
'date_of_birth' => 'date of birth', 'numeric' => 'The :attribute must be less than or equal to :value.',
'day' => 'day', 'string' => 'The :attribute must be less than or equal to :value characters.',
'deleted_at' => 'deleted at', ),
'description' => 'description', 'mac_address' => 'The :attribute must be a valid MAC address.',
'district' => 'district', 'max' =>
'duration' => 'duration', array (
'email' => 'email', 'array' => 'The :attribute must not have more than :max items.',
'excerpt' => 'excerpt', 'file' => 'The :attribute must not be greater than :max kilobytes.',
'filter' => 'filter', 'numeric' => 'The :attribute must not be greater than :max.',
'first_name' => 'first name', 'string' => 'The :attribute must not be greater than :max characters.',
'gender' => 'gender', ),
'group' => 'group', 'max_digits' => 'The :attribute must not have more than :max digits.',
'hour' => 'hour', 'mimes' => 'The :attribute must be a file of type: :values.',
'image' => 'image', 'mimetypes' => 'The :attribute must be a file of type: :values.',
'last_name' => 'last name', 'min' =>
'lesson' => 'lesson', array (
'line_address_1' => 'line address 1', 'array' => 'The :attribute must have at least :min items.',
'line_address_2' => 'line address 2', 'file' => 'The :attribute must be at least :min kilobytes.',
'message' => 'message', 'numeric' => 'The :attribute must be at least :min.',
'middle_name' => 'middle name', 'string' => 'The :attribute must be at least :min characters.',
'minute' => 'minute', ),
'mobile' => 'mobile', 'min_digits' => 'The :attribute must have at least :min digits.',
'month' => 'month', 'multiple_of' => 'The :attribute must be a multiple of :value.',
'name' => 'name', 'not_in' => 'The selected :attribute is invalid.',
'national_code' => 'national code', 'not_regex' => 'The :attribute format is invalid.',
'number' => 'number', 'numeric' => 'The :attribute must be a number.',
'password' => 'password', 'password' =>
'password_confirmation' => 'password confirmation', array (
'phone' => 'phone', 'letters' => 'The :attribute must contain at least one letter.',
'photo' => 'photo', 'mixed' => 'The :attribute must contain at least one uppercase and one lowercase letter.',
'postal_code' => 'postal code', 'numbers' => 'The :attribute must contain at least one number.',
'price' => 'price', 'symbols' => 'The :attribute must contain at least one symbol.',
'province' => 'province', 'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.',
'recaptcha_response_field' => 'recaptcha response field', ),
'remember' => 'remember', 'present' => 'The :attribute field must be present.',
'restored_at' => 'restored at', 'prohibited' => 'The :attribute field is prohibited.',
'result_text_under_image' => 'result text under image', 'prohibited_if' => 'The :attribute field is prohibited when :other is :value.',
'role' => 'role', 'prohibited_unless' => 'The :attribute field is prohibited unless :other is in :values.',
'second' => 'second', 'prohibits' => 'The :attribute field prohibits :other from being present.',
'sex' => 'sex', 'regex' => 'The :attribute format is invalid.',
'short_text' => 'short text', 'relatable' => 'This :attribute may not be associated with this resource.',
'size' => 'size', 'required' => 'The :attribute field is required.',
'state' => 'state', 'required_array_keys' => 'The :attribute field must contain entries for: :values.',
'street' => 'street', 'required_if' => 'The :attribute field is required when :other is :value.',
'student' => 'student', 'required_if_accepted' => 'The :attribute field is required when :other is accepted.',
'subject' => 'subject', 'required_unless' => 'The :attribute field is required unless :other is in :values.',
'teacher' => 'teacher', 'required_with' => 'The :attribute field is required when :values is present.',
'terms' => 'terms', 'required_with_all' => 'The :attribute field is required when :values are present.',
'test_description' => 'test description', 'required_without' => 'The :attribute field is required when :values is not present.',
'test_locale' => 'test locale', 'required_without_all' => 'The :attribute field is required when none of :values are present.',
'test_name' => 'test name', 'same' => 'The :attribute and :other must match.',
'text' => 'text', 'size' =>
'time' => 'time', array (
'title' => 'title', 'array' => 'The :attribute must contain :size items.',
'updated_at' => 'updated at', 'file' => 'The :attribute must be :size kilobytes.',
'username' => 'username', 'numeric' => 'The :attribute must be :size.',
'year' => 'year', 'string' => 'The :attribute must be :size characters.',
], ),
]; 'starts_with' => 'The :attribute must start with one of the following: :values.',
'string' => 'The :attribute must be a string.',
'timezone' => 'The :attribute must be a valid timezone.',
'unique' => 'The :attribute has already been taken.',
'uploaded' => 'The :attribute failed to upload.',
'uppercase' => 'The :attribute must be uppercase.',
'url' => 'The :attribute must be a valid URL.',
'uuid' => 'The :attribute must be a valid UUID.',
);

View File

@@ -201,5 +201,405 @@
"You may delete any of your existing tokens if they are no longer needed.": "Puede eliminar cualquiera de sus tokens existentes si ya no los necesita.", "You may delete any of your existing tokens if they are no longer needed.": "Puede eliminar cualquiera de sus tokens existentes si ya no los necesita.",
"You may not delete your personal team.": "No se puede borrar su equipo personal.", "You may not delete your personal team.": "No se puede borrar su equipo personal.",
"You may not leave a team that you created.": "No se puede abandonar un equipo que usted creó.", "You may not leave a team that you created.": "No se puede abandonar un equipo que usted creó.",
"Your email address is unverified.": "Su dirección de correo electrónico no está verificada." "Your email address is unverified.": "Su dirección de correo electrónico no está verificada.",
"Book": "",
"Article": "",
"Markdown Article": "",
"Youtube Video": "",
"Vimeo Video": "",
"Podcast Episode": "",
"Downloadable File": "",
"Bitcoin Events": "",
"Country": "",
"Title": "",
"From": "",
"To": "",
"Venue": "",
"Link": "",
"No bookcases found in the radius of 5km": "",
"City": "",
"Search City": "",
"Search Venue": "",
"Course": "",
"Search Course": "",
"Type": "",
"Lecturer": "",
"Actions": "",
"Meetup": "",
"Location": "",
"Start": "",
"Links": "",
"Bookcase": "",
"Created by: :name": "",
"Logo": "",
"Show worldwide": "",
"If checked, the event will be shown everywhere.": "",
"Description": "",
"Created By": "",
"Book Case": "",
"Latitude": "",
"Longitude": "",
"Address": "",
"Open": "",
"Comment": "",
"Contact": "",
"Bcz": "",
"Digital": "",
"Icontype": "",
"Deactivated": "",
"Deactreason": "",
"Entrytype": "",
"Homepage": "",
"OrangePills": "",
"Comments": "",
"Slug": "",
"Courses": "",
"Country: :name": "",
"Venues": "",
"Course Events": "",
"Meetups": "",
"Commentator": "",
"Original text": "",
"Show": "",
"Status": "",
"Created at": "",
"Code: :code": "",
"English name": "",
"Languages": "",
"Cities": "",
"Main picture": "",
"Images": "",
"Upload images here to insert them later in the Markdown Description. But you have to save before.": "",
"Tags": "",
"Markdown is allowed. You can paste images from the \"Images\" field here. Use the link icon of the images for the urls after clicking \"Update and continue\".": "",
"Select here the lecturer who holds the course. If the lecturer is not in the list, create it first under \"Lecturers\".": "",
"Categories": "",
"Course Event": "",
"Image": "",
"Data": "",
"Podcast": "",
"Lecturer\/Content Creator": "",
"Library": "",
"Is public": "",
"Library Item": "",
"Language Code": "",
"Value": "",
"Episode": "",
"Meetup Event": "",
"Locked": "",
"Episodes": "",
"Users": "",
"City: :name": "",
"Street": "",
"Locations": "",
"MIT License": "",
"nova-spatie-permissions::lang.display_names\": \"": "",
"Please copy your new API token. For your security, it won\\'t be shown again.": "",
"Back to the website": "",
"I want to submit new courses on this platform": "",
"Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn\\'t receive the email, we will gladly send you another.": "",
"💊 Orange Pill Now": "",
"Details": "",
"no bitcoin books yet": "",
"Perimeter search course date :name (100km)": "",
"Perimeter search bookcase :name (5km)": "",
"Show dates": "",
"Show content": "",
"Download": "",
"Listen": "",
"Calendar Stream Url copied!": "",
"Paste the calendar stream link into a compatible calendar app.": "",
"Calendar Stream-Url": "",
"URL copied!": "",
"Copy": "",
"Email login": "",
"Email registration": "",
"Zeus bug:": "",
"Bookcases": "",
"Search out a public bookcase": "",
"Built with ❤️ by our team.": "",
"Github": "",
"Wish List\/Feedback": "",
"Translate (:lang :percent%)": "",
"Back to the overview": "",
"Lecturers": "",
"Events": "",
"Library for lecturers": "",
"City search": "",
"World map": "",
"Meetup dates": "",
"Change country": "",
"Change language": "",
"Registration": "",
"Choose your city, search for courses in the surrounding area and select a topic that suits you.": "",
"Content": "",
"Choose a topic that is right for you.": "",
"Search": "",
"Dates": "",
"Einundzwanzig": "",
"Bitcoin Portal": "",
"A Bitcoin community for all.": "",
"Plebs together strong": "",
"Education": "",
"Worldwide": "",
"Reading": "",
"School": "",
"Find Bitcoin courses in your city": "",
"👇 Find a course 👇": "",
"Select a tab": "",
"Lecturer Libraries": "",
"Libraries": "",
"Creator": "",
"Contents": "",
"Calendar Stream-Url for all meetup events": "",
"Bitcoiner": "",
"Plebs together strong 💪": "",
"Bitcoiner Meetups are a great way to meet other Bitcoiners in your area. You can learn from each other, share ideas, and have fun!": "",
"Orange Pill Book Case": "",
"So far here were": "",
"On :asDateTime :name has added :amount Bitcoin books.": "",
"Number of books": "",
"How many bitcoin books have you put in?": "",
"Date": "",
"When did you put bitcoin books in?": "",
"For example, what books you put in.": "",
"Von": "",
"Bis": "",
"Link to the registration": "",
"Submit Meetup": "",
"Register Meetup date": "",
"Register lecturer": "",
"Register course": "",
"Register course date": "",
"Submit contents": "",
"Register event": "",
"My profile": "",
"When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone\\'s Google Authenticator application.": "",
"To finish enabling two factor authentication, scan the following QR code using your phone\\'s authenticator application or enter the setup key and provide the generated OTP code.": "",
"Two factor authentication is now enabled. Scan the following QR code using your phone\\'s authenticator application or enter the setup key.": "",
"Update your account\\'s profile information and email address.": "",
"Timezone": "",
"The team\\'s name and owner information.": "",
"You can use <a href=\"https:\/\/spatie.be\/markdown\" target=\"_blank\" rel=\"nofollow noopener noreferrer\">Markdown<\/a>": "",
"Unsubscribe from receive notification about :commentableName": "",
"The comment has been approved.": "",
"Do you want to approve the comment?": "",
"Approve": "",
"The comment has been rejected.": "",
"Do you want to reject the comment?": "",
"You have been unsubscribed.": "",
"You have been unsubscribed from every comment notification.": "",
"Do you want to unsubscribe from every comment notification?": "",
"Do you want to unsubscribe?": "",
"Dismiss": "",
"close": "",
"Rotate -90": "",
"Rotate +90": "",
"Update": "",
"Add New \".concat(e)):this.__(\"Upload New \".concat(e))},mustCrop:function(){return\"mustCrop\"in this.field&&this.field.mustCrop}},watch:{modelValue:function(e){this.images=e||[]},images:function(e,t){this.queueNewImages(e,t),this.$emit(\"update:modelValue": "",
"Maximum file size is :amount MB": "",
"File type must be: :types": "",
"Uploading": "",
"Do you really want to leave? You have unsaved changes.": "",
"*": "",
"Select": "",
"Existing Media": "",
"Search by name or file name": "",
"No results found": "",
"Load Next Page": "",
"Add Existing \".concat(e)):this.__(\"Use Existing \".concat(e))}},methods:{setInitialValue:function(){var e=this.field.value||[];this.field.multiple||(e=e.slice(0,1)),this.value=e,this.hasSetInitialValue=!0},fill:function(e){var t=this,n=this.field.attribute;this.value.forEach((function(r,i){var o,a,s;!r.id?r.isVaporUpload?(e.append(\"__media__[\".concat(n,\"][": "",
"nova-spatie-permissions::lang.display_names.'.$this->name);\n\t\t\t})->canSee(function (){\n\t\t\t\treturn is_array(__('nova-spatie-permissions::lang.display_names": "",
"This will go in the JSON array": "",
"This will also go in the JSON array": "",
"trans": "",
"Go Home": "",
"Whoops": "",
"We're lost in space. The page you were trying to view does not exist.": "",
"Hold Up!": "",
"The government won't let us show you what's behind these doors": "",
":-(": "",
"Nova experienced an unrecoverable error.": "",
"Toggle Collapsed": "",
"This resource no longer exists": "",
":resource Details: :title": "",
"Soft Deleted": "",
"View": "",
"Edit": "",
"The resource was attached!": "",
"Attach :resource": "",
"No additional information...": "",
"Choose :resource": "",
"Attach & Attach Another": "",
"The resource was updated!": "",
"Update attached :resource: :title": "",
"Choose :field": "",
"Update & Continue Editing": "",
"Update :resource": "",
"Toggle Sidebar": "",
"Close Sidebar": "",
"Sorry, your session has expired.": "",
"Reload": "",
"There was a problem executing the action.": "",
"The action was executed successfully.": "",
"There was a problem submitting the form.": "",
"Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "",
"Standalone Actions": "",
"Select Action": "",
"Stop Polling": "",
"Start Polling": "",
"Show Cards": "",
"Hide Cards": "",
"The HasOne relationship has already been filled.": "",
"The HasOneThrough relationship has already been filled.": "",
"The :resource was created!": "",
"Create :resource": "",
"Create & Add Another": "",
"Attach": "",
"Restore Selected": "",
"Force Delete Selected": "",
"Trash Dropdown": "",
"Force Delete Resource": "",
"Are you sure you want to force delete the selected resources?": "",
"The :resource was deleted!": "",
"The :resource was restored!": "",
"Replicate": "",
"Impersonate": "",
"Delete Resource": "",
"Restore Resource": "",
"Resource Row Dropdown": "",
"Preview": "",
"Select this page": "",
"Select all": "",
"Select All Dropdown": "",
"Light": "",
"Dark": "",
"System": "",
"Hide Content": "",
"Show Content": "",
"Reset Filters": "",
"With Trashed": "",
"Only Trashed": "",
"Trashed": "",
"Per Page": "",
"Filter Dropdown": "",
"Choose date": "",
"—": "",
"Press \/ to search": "",
"No Results Found.": "",
"No :resource matched the given criteria.": "",
"Failed to load :resource!": "",
"Click to choose": "",
"Lens Dropdown": "",
"Unregistered": "",
"total": "",
"Select Ranges": "",
"No Increase": "",
"No Prior Data": "",
"No Current Data": "",
"No Data": "",
"Delete File": "",
"Are you sure you want to delete this file?": "",
"Are you sure you want to \"+o.mode+\" the selected resources?": "",
"Previewing": "",
"View :resource": "",
"There are no fields to display.": "",
"Are you sure you want to restore the selected resources?": "",
"Restore": "",
"Are you sure you want to delete this notification?": "",
"Notifications": "",
"Mark all as Read": "",
"There are no new notifications.": "",
"Load :perPage More": "",
"All resources loaded.": "",
":amount Total": "",
"Previous": "",
"Next": "",
"Copy to clipboard": "",
"There's nothing configured to show here.": "",
"Selected Resources": "",
"Controls": "",
"Select Resource :title": "",
"Edit Attached": "",
"Are you sure you want to restore this resource?": "",
"Show more": "",
"Are you sure you want to log out?": "",
"Are you sure you want to stop impersonating?": "",
"Nova User": "",
"Stop Impersonating": "",
":name's Avatar": "",
"Something went wrong.": "",
"Yes": "",
"No": "",
"Show All Fields": "",
"End": "",
"Min": "",
"Max": "",
"Sorry! You are not authorized to perform this action.": "",
"The file was deleted!": "",
"There was a problem fetching the resource.": "",
"Write": "",
"Choose Type": "",
"There are no available options for this resource.": "",
"Choose": "",
"Choose an option": "",
"Customize": "",
"An error occurred while uploading the file.": "",
"Refresh": "",
"Forgot Password": "",
"Log In": "",
"Welcome Back!": "",
"The :resource was updated!": "",
"Update :resource: :title": "",
"Choose Files": "",
"Choose File": "",
"Drop files or click to choose": "",
"Drop file or click to choose": "",
"Choose a file": "",
"&mdash;": "",
"The image could not be loaded.": "",
":name\\\\'s Avatar": "",
"taylorotwell": "",
"Laravel Nova": "",
"Laravel Nova :version": "",
"Are you sure you want to ' + mode + ' the selected resources?": "",
":name\\'s Avatar": "",
"ID": "",
"Action Name": "",
"Action Initiated By": "",
"Action Target": "",
"Action Status": "",
"Waiting": "",
"Running": "",
"Failed": "",
"Original": "",
"Changes": "",
"Exception": "",
"Action Happened At": "",
"Action": "",
"CSV (.csv)": "",
"Excel (.xlsx)": "",
"Filename": "",
"30 Days": "",
"60 Days": "",
"90 Days": "",
"365 Days": "",
"Today": "",
"Month To Date": "",
"Quarter To Date": "",
"Year To Date": "",
"Unable to find Resource for model [:model].": "",
"The resource was prevented from being saved!": "",
"Loading": "",
"Finished": "",
"Key": "",
"Add row": "",
"Resources": "",
"Dashboards": "",
"Replicate :resource": "",
"time": "",
"All Columns": "",
"All": "",
"N\/A": "",
"Add tags...": "",
"Add tag...": ""
} }

View File

@@ -0,0 +1,11 @@
<?php
return array (
'' =>
array (
'' =>
array (
'' => '',
),
),
);

View File

@@ -1,9 +1,7 @@
<?php <?php
declare(strict_types=1); return array (
'failed' => 'Estas credenciales no coinciden con nuestros registros.',
return [ 'password' => 'La contraseña es incorrecta.',
'failed' => 'Estas credenciales no coinciden con nuestros registros.', 'throttle' => 'Demasiados intentos de acceso. Por favor intente nuevamente en :seconds segundos.',
'password' => 'La contraseña es incorrecta.', );
'throttle' => 'Demasiados intentos de acceso. Por favor intente nuevamente en :seconds segundos.',
];

View File

@@ -1,84 +1,82 @@
<?php <?php
declare(strict_types=1); return array (
0 => 'Unknown Error',
return [ 'unknownError' => 'Unknown Error',
'0' => 'Unknown Error', 100 => 'Continue',
'100' => 'Continue', 101 => 'Switching Protocols',
'101' => 'Switching Protocols', 102 => 'Processing',
'102' => 'Processing', 200 => 'OK',
'200' => 'OK', 201 => 'Created',
'201' => 'Created', 202 => 'Accepted',
'202' => 'Accepted', 203 => 'Non-Authoritative Information',
'203' => 'Non-Authoritative Information', 204 => 'No Content',
'204' => 'No Content', 205 => 'Reset Content',
'205' => 'Reset Content', 206 => 'Partial Content',
'206' => 'Partial Content', 207 => 'Multi-Status',
'207' => 'Multi-Status', 208 => 'Already Reported',
'208' => 'Already Reported', 226 => 'IM Used',
'226' => 'IM Used', 300 => 'Multiple Choices',
'300' => 'Multiple Choices', 301 => 'Moved Permanently',
'301' => 'Moved Permanently', 302 => 'Found',
'302' => 'Found', 303 => 'See Other',
'303' => 'See Other', 304 => 'Not Modified',
'304' => 'Not Modified', 305 => 'Use Proxy',
'305' => 'Use Proxy', 307 => 'Temporary Redirect',
'307' => 'Temporary Redirect', 308 => 'Permanent Redirect',
'308' => 'Permanent Redirect', 400 => 'Bad Request',
'400' => 'Bad Request', 401 => 'Unauthorized',
'401' => 'Unauthorized', 402 => 'Payment Required',
'402' => 'Payment Required', 403 => 'Forbidden',
'403' => 'Forbidden', 404 => 'Not Found',
'404' => 'Not Found', 405 => 'Method Not Allowed',
'405' => 'Method Not Allowed', 406 => 'Not Acceptable',
'406' => 'Not Acceptable', 407 => 'Proxy Authentication Required',
'407' => 'Proxy Authentication Required', 408 => 'Request Timeout',
'408' => 'Request Timeout', 409 => 'Conflict',
'409' => 'Conflict', 410 => 'Gone',
'410' => 'Gone', 411 => 'Length Required',
'411' => 'Length Required', 412 => 'Precondition Failed',
'412' => 'Precondition Failed', 413 => 'Payload Too Large',
'413' => 'Payload Too Large', 414 => 'URI Too Long',
'414' => 'URI Too Long', 415 => 'Unsupported Media Type',
'415' => 'Unsupported Media Type', 416 => 'Range Not Satisfiable',
'416' => 'Range Not Satisfiable', 417 => 'Expectation Failed',
'417' => 'Expectation Failed', 418 => 'I\'m a teapot',
'418' => 'I\'m a teapot', 419 => 'Session Has Expired',
'419' => 'Session Has Expired', 421 => 'Misdirected Request',
'421' => 'Misdirected Request', 422 => 'Unprocessable Entity',
'422' => 'Unprocessable Entity', 423 => 'Locked',
'423' => 'Locked', 424 => 'Failed Dependency',
'424' => 'Failed Dependency', 425 => 'Too Early',
'425' => 'Too Early', 426 => 'Upgrade Required',
'426' => 'Upgrade Required', 428 => 'Precondition Required',
'428' => 'Precondition Required', 429 => 'Too Many Requests',
'429' => 'Too Many Requests', 431 => 'Request Header Fields Too Large',
'431' => 'Request Header Fields Too Large', 444 => 'Connection Closed Without Response',
'444' => 'Connection Closed Without Response', 449 => 'Retry With',
'449' => 'Retry With', 451 => 'Unavailable For Legal Reasons',
'451' => 'Unavailable For Legal Reasons', 499 => 'Client Closed Request',
'499' => 'Client Closed Request', 500 => 'Internal Server Error',
'500' => 'Internal Server Error', 501 => 'Not Implemented',
'501' => 'Not Implemented', 502 => 'Bad Gateway',
'502' => 'Bad Gateway', 503 => 'Maintenance Mode',
'503' => 'Maintenance Mode', 504 => 'Gateway Timeout',
'504' => 'Gateway Timeout', 505 => 'HTTP Version Not Supported',
'505' => 'HTTP Version Not Supported', 506 => 'Variant Also Negotiates',
'506' => 'Variant Also Negotiates', 507 => 'Insufficient Storage',
'507' => 'Insufficient Storage', 508 => 'Loop Detected',
'508' => 'Loop Detected', 509 => 'Bandwidth Limit Exceeded',
'509' => 'Bandwidth Limit Exceeded', 510 => 'Not Extended',
'510' => 'Not Extended', 511 => 'Network Authentication Required',
'511' => 'Network Authentication Required', 520 => 'Unknown Error',
'520' => 'Unknown Error', 521 => 'Web Server is Down',
'521' => 'Web Server is Down', 522 => 'Connection Timed Out',
'522' => 'Connection Timed Out', 523 => 'Origin Is Unreachable',
'523' => 'Origin Is Unreachable', 524 => 'A Timeout Occurred',
'524' => 'A Timeout Occurred', 525 => 'SSL Handshake Failed',
'525' => 'SSL Handshake Failed', 526 => 'Invalid SSL Certificate',
'526' => 'Invalid SSL Certificate', 527 => 'Railgun Error',
'527' => 'Railgun Error', 598 => 'Network Read Timeout Error',
'598' => 'Network Read Timeout Error', 599 => 'Network Connect Timeout Error',
'599' => 'Network Connect Timeout Error', );
'unknownError' => 'Unknown Error',
];

View File

@@ -1,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
'next' => 'Siguiente &raquo;',
return [ 'previous' => '&laquo; Anterior',
'next' => 'Siguiente &raquo;', );
'previous' => '&laquo; Anterior',
];

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
'reset' => '¡Su contraseña ha sido restablecida!',
return [ 'sent' => '¡Le hemos enviado por correo electrónico el enlace para restablecer su contraseña!',
'reset' => '¡Su contraseña ha sido restablecida!', 'throttled' => 'Por favor espere antes de intentar de nuevo.',
'sent' => '¡Le hemos enviado por correo electrónico el enlace para restablecer su contraseña!', 'token' => 'El token de restablecimiento de contraseña es inválido.',
'throttled' => 'Por favor espere antes de intentar de nuevo.', 'user' => 'No encontramos ningún usuario con ese correo electrónico.',
'token' => 'El token de restablecimiento de contraseña es inválido.', );
'user' => 'No encontramos ningún usuario con ese correo electrónico.',
];

View File

@@ -0,0 +1,6 @@
<?php
return array (
'first_match' => '',
'third_match' => '',
);

View File

@@ -1,210 +1,218 @@
<?php <?php
declare(strict_types=1); return array (
'accepted' => ':Attribute debe ser aceptado.',
return [ 'accepted_if' => ':Attribute debe ser aceptado cuando :other sea :value.',
'accepted' => ':Attribute debe ser aceptado.', 'active_url' => ':Attribute no es una URL válida.',
'accepted_if' => ':Attribute debe ser aceptado cuando :other sea :value.', 'after' => ':Attribute debe ser una fecha posterior a :date.',
'active_url' => ':Attribute no es una URL válida.', 'after_or_equal' => ':Attribute debe ser una fecha posterior o igual a :date.',
'after' => ':Attribute debe ser una fecha posterior a :date.', 'alpha' => ':Attribute sólo debe contener letras.',
'after_or_equal' => ':Attribute debe ser una fecha posterior o igual a :date.', 'alpha_dash' => ':Attribute sólo debe contener letras, números, guiones y guiones bajos.',
'alpha' => ':Attribute sólo debe contener letras.', 'alpha_num' => ':Attribute sólo debe contener letras y números.',
'alpha_dash' => ':Attribute sólo debe contener letras, números, guiones y guiones bajos.', 'array' => ':Attribute debe ser un conjunto.',
'alpha_num' => ':Attribute sólo debe contener letras y números.', 'attached' => 'Este :attribute ya se adjuntó.',
'array' => ':Attribute debe ser un conjunto.', 'attributes' =>
'attached' => 'Este :attribute ya se adjuntó.', array (
'before' => ':Attribute debe ser una fecha anterior a :date.', 'address' => 'dirección',
'before_or_equal' => ':Attribute debe ser una fecha anterior o igual a :date.', 'age' => 'edad',
'between' => [ 'amount' => 'cantidad',
'array' => ':Attribute tiene que tener entre :min - :max elementos.', 'area' => 'área',
'file' => ':Attribute debe pesar entre :min - :max kilobytes.', 'available' => 'disponible',
'numeric' => ':Attribute tiene que estar entre :min - :max.', 'birthday' => 'cumpleaños',
'string' => ':Attribute tiene que tener entre :min - :max caracteres.', 'body' => 'contenido',
], 'city' => 'ciudad',
'boolean' => 'El campo :attribute debe tener un valor verdadero o falso.', 'content' => 'contenido',
'confirmed' => 'La confirmación de :attribute no coincide.', 'country' => 'país',
'current_password' => 'La contraseña es incorrecta.', 'created_at' => 'creado el',
'date' => ':Attribute no es una fecha válida.', 'creator' => 'creador',
'date_equals' => ':Attribute debe ser una fecha igual a :date.', 'current_password' => 'contraseña actual',
'date_format' => ':Attribute no corresponde al formato :format.', 'date' => 'fecha',
'declined' => ':Attribute debe ser rechazado.', 'date_of_birth' => 'fecha de nacimiento',
'declined_if' => ':Attribute debe ser rechazado cuando :other sea :value.', 'day' => 'día',
'different' => ':Attribute y :other deben ser diferentes.', 'deleted_at' => 'eliminado el',
'digits' => ':Attribute debe tener :digits dígitos.', 'description' => 'descripción',
'digits_between' => ':Attribute debe tener entre :min y :max dígitos.', 'district' => 'distrito',
'dimensions' => 'Las dimensiones de la imagen :attribute no son válidas.', 'duration' => 'duración',
'distinct' => 'El campo :attribute contiene un valor duplicado.', 'email' => 'correo electrónico',
'doesnt_end_with' => 'El campo :attribute no puede finalizar con uno de los siguientes: :values.', 'excerpt' => 'extracto',
'doesnt_start_with' => 'El campo :attribute no puede comenzar con uno de los siguientes: :values.', 'filter' => 'filtro',
'email' => ':Attribute no es un correo válido.', 'first_name' => 'nombre',
'ends_with' => 'El campo :attribute debe finalizar con uno de los siguientes valores: :values', 'gender' => 'género',
'enum' => 'El :attribute seleccionado es inválido.', 'group' => 'grupo',
'exists' => 'El :attribute seleccionado es inválido.', 'hour' => 'hora',
'file' => 'El campo :attribute debe ser un archivo.', 'image' => 'imagen',
'filled' => 'El campo :attribute es obligatorio.', 'last_name' => 'apellido',
'gt' => [ 'lesson' => 'lección',
'array' => 'El campo :attribute debe tener más de :value elementos.', 'line_address_1' => 'dirección de la línea 1',
'file' => 'El campo :attribute debe tener más de :value kilobytes.', 'line_address_2' => 'dirección de la línea 2',
'numeric' => 'El campo :attribute debe ser mayor que :value.', 'message' => 'mensaje',
'string' => 'El campo :attribute debe tener más de :value caracteres.', 'middle_name' => 'segundo nombre',
], 'minute' => 'minuto',
'gte' => [ 'mobile' => 'móvil',
'array' => 'El campo :attribute debe tener como mínimo :value elementos.', 'month' => 'mes',
'file' => 'El campo :attribute debe tener como mínimo :value kilobytes.', 'name' => 'nombre',
'numeric' => 'El campo :attribute debe ser como mínimo :value.', 'national_code' => 'código nacional',
'string' => 'El campo :attribute debe tener como mínimo :value caracteres.', 'number' => 'número',
], 'password' => 'contraseña',
'image' => ':Attribute debe ser una imagen.', 'password_confirmation' => 'confirmación de la contraseña',
'in' => ':Attribute es inválido.', 'phone' => 'teléfono',
'in_array' => 'El campo :attribute no existe en :other.', 'photo' => 'foto',
'integer' => ':Attribute debe ser un número entero.', 'postal_code' => 'código postal',
'ip' => ':Attribute debe ser una dirección IP válida.', 'price' => 'precio',
'ipv4' => ':Attribute debe ser una dirección IPv4 válida.', 'province' => 'provincia',
'ipv6' => ':Attribute debe ser una dirección IPv6 válida.', 'recaptcha_response_field' => 'respuesta del recaptcha',
'json' => 'El campo :attribute debe ser una cadena JSON válida.', 'remember' => 'recordar',
'lowercase' => 'El campo :attribute debe estar en minúscula.', 'restored_at' => 'restaurado el',
'lt' => [ 'result_text_under_image' => 'texto bajo la imagen',
'array' => 'El campo :attribute debe tener menos de :value elementos.', 'role' => 'rol',
'file' => 'El campo :attribute debe tener menos de :value kilobytes.', 'second' => 'segundo',
'numeric' => 'El campo :attribute debe ser menor que :value.', 'sex' => 'sexo',
'string' => 'El campo :attribute debe tener menos de :value caracteres.', 'short_text' => 'texto corto',
], 'size' => 'tamaño',
'lte' => [ 'state' => 'estado',
'array' => 'El campo :attribute debe tener como máximo :value elementos.', 'street' => 'calle',
'file' => 'El campo :attribute debe tener como máximo :value kilobytes.', 'student' => 'estudiante',
'numeric' => 'El campo :attribute debe ser como máximo :value.', 'subject' => 'asunto',
'string' => 'El campo :attribute debe tener como máximo :value caracteres.', 'teacher' => 'profesor',
], 'terms' => 'términos',
'mac_address' => 'El campo :attribute debe ser una dirección MAC válida.', 'test_description' => 'descripción de prueba',
'max' => [ 'test_locale' => 'prueba local',
'array' => ':Attribute no debe tener más de :max elementos.', 'test_name' => 'nombre de prueba',
'file' => ':Attribute no debe ser mayor que :max kilobytes.', 'text' => 'texto',
'numeric' => ':Attribute no debe ser mayor que :max.', 'time' => 'hora',
'string' => ':Attribute no debe ser mayor que :max caracteres.', 'title' => 'título',
], 'updated_at' => 'actualizado el',
'max_digits' => 'El campo :attribute no debe tener más de :max dígitos.', 'username' => 'usuario',
'mimes' => ':Attribute debe ser un archivo con formato: :values.', 'year' => 'año',
'mimetypes' => ':Attribute debe ser un archivo con formato: :values.', ),
'min' => [ 'before' => ':Attribute debe ser una fecha anterior a :date.',
'array' => ':Attribute debe tener al menos :min elementos.', 'before_or_equal' => ':Attribute debe ser una fecha anterior o igual a :date.',
'file' => 'El tamaño de :attribute debe ser de al menos :min kilobytes.', 'between' =>
'numeric' => 'El tamaño de :attribute debe ser de al menos :min.', array (
'string' => ':Attribute debe contener al menos :min caracteres.', 'array' => ':Attribute tiene que tener entre :min - :max elementos.',
], 'file' => ':Attribute debe pesar entre :min - :max kilobytes.',
'min_digits' => 'El campo :attribute debe tener al menos :min dígitos.', 'numeric' => ':Attribute tiene que estar entre :min - :max.',
'multiple_of' => 'El campo :attribute debe ser múltiplo de :value', 'string' => ':Attribute tiene que tener entre :min - :max caracteres.',
'not_in' => ':Attribute es inválido.', ),
'not_regex' => 'El formato del campo :attribute no es válido.', 'boolean' => 'El campo :attribute debe tener un valor verdadero o falso.',
'numeric' => ':Attribute debe ser numérico.', 'confirmed' => 'La confirmación de :attribute no coincide.',
'password' => [ 'current_password' => 'La contraseña es incorrecta.',
'letters' => 'La :attribute debe contener al menos una letra.', 'date' => ':Attribute no es una fecha válida.',
'mixed' => 'La :attribute debe contener al menos una letra mayúscula y una minúscula.', 'date_equals' => ':Attribute debe ser una fecha igual a :date.',
'numbers' => 'La :attribute debe contener al menos un número.', 'date_format' => ':Attribute no corresponde al formato :format.',
'symbols' => 'La :attribute debe contener al menos un símbolo.', 'declined' => ':Attribute debe ser rechazado.',
'uncompromised' => 'La :attribute proporcionada se ha visto comprometida en una filtración de datos (data leak). Elija una :attribute diferente.', 'declined_if' => ':Attribute debe ser rechazado cuando :other sea :value.',
], 'different' => ':Attribute y :other deben ser diferentes.',
'present' => 'El campo :attribute debe estar presente.', 'digits' => ':Attribute debe tener :digits dígitos.',
'prohibited' => 'El campo :attribute está prohibido.', 'digits_between' => ':Attribute debe tener entre :min y :max dígitos.',
'prohibited_if' => 'El campo :attribute está prohibido cuando :other es :value.', 'dimensions' => 'Las dimensiones de la imagen :attribute no son válidas.',
'prohibited_unless' => 'El campo :attribute está prohibido a menos que :other sea :values.', 'distinct' => 'El campo :attribute contiene un valor duplicado.',
'prohibits' => 'El campo :attribute prohibe que :other esté presente.', 'doesnt_end_with' => 'El campo :attribute no puede finalizar con uno de los siguientes: :values.',
'regex' => 'El formato de :attribute es inválido.', 'doesnt_start_with' => 'El campo :attribute no puede comenzar con uno de los siguientes: :values.',
'relatable' => 'Este :attribute no se puede asociar con este recurso', 'email' => ':Attribute no es un correo válido.',
'required' => 'El campo :attribute es obligatorio.', 'ends_with' => 'El campo :attribute debe finalizar con uno de los siguientes valores: :values',
'required_array_keys' => 'El campo :attribute debe contener entradas para: :values.', 'enum' => 'El :attribute seleccionado es inválido.',
'required_if' => 'El campo :attribute es obligatorio cuando :other es :value.', 'exists' => 'El :attribute seleccionado es inválido.',
'required_if_accepted' => 'El campo :attribute es obligatorio si :other es aceptado.', 'file' => 'El campo :attribute debe ser un archivo.',
'required_unless' => 'El campo :attribute es obligatorio a menos que :other esté en :values.', 'filled' => 'El campo :attribute es obligatorio.',
'required_with' => 'El campo :attribute es obligatorio cuando :values está presente.', 'gt' =>
'required_with_all' => 'El campo :attribute es obligatorio cuando :values están presentes.', array (
'required_without' => 'El campo :attribute es obligatorio cuando :values no está presente.', 'array' => 'El campo :attribute debe tener más de :value elementos.',
'required_without_all' => 'El campo :attribute es obligatorio cuando ninguno de :values está presente.', 'file' => 'El campo :attribute debe tener más de :value kilobytes.',
'same' => ':Attribute y :other deben coincidir.', 'numeric' => 'El campo :attribute debe ser mayor que :value.',
'size' => [ 'string' => 'El campo :attribute debe tener más de :value caracteres.',
'array' => ':Attribute debe contener :size elementos.', ),
'file' => 'El tamaño de :attribute debe ser :size kilobytes.', 'gte' =>
'numeric' => 'El tamaño de :attribute debe ser :size.', array (
'string' => ':Attribute debe contener :size caracteres.', 'array' => 'El campo :attribute debe tener como mínimo :value elementos.',
], 'file' => 'El campo :attribute debe tener como mínimo :value kilobytes.',
'starts_with' => 'El campo :attribute debe comenzar con uno de los siguientes valores: :values', 'numeric' => 'El campo :attribute debe ser como mínimo :value.',
'string' => 'El campo :attribute debe ser una cadena de caracteres.', 'string' => 'El campo :attribute debe tener como mínimo :value caracteres.',
'timezone' => ':Attribute debe ser una zona horaria válida.', ),
'unique' => 'El campo :attribute ya ha sido registrado.', 'image' => ':Attribute debe ser una imagen.',
'uploaded' => 'Subir :attribute ha fallado.', 'in' => ':Attribute es inválido.',
'uppercase' => 'El campo :attribute debe estar en mayúscula.', 'in_array' => 'El campo :attribute no existe en :other.',
'url' => ':Attribute debe ser una URL válida.', 'integer' => ':Attribute debe ser un número entero.',
'uuid' => 'El campo :attribute debe ser un UUID válido.', 'ip' => ':Attribute debe ser una dirección IP válida.',
'attributes' => [ 'ipv4' => ':Attribute debe ser una dirección IPv4 válida.',
'address' => 'dirección', 'ipv6' => ':Attribute debe ser una dirección IPv6 válida.',
'age' => 'edad', 'json' => 'El campo :attribute debe ser una cadena JSON válida.',
'amount' => 'cantidad', 'lowercase' => 'El campo :attribute debe estar en minúscula.',
'area' => 'área', 'lt' =>
'available' => 'disponible', array (
'birthday' => 'cumpleaños', 'array' => 'El campo :attribute debe tener menos de :value elementos.',
'body' => 'contenido', 'file' => 'El campo :attribute debe tener menos de :value kilobytes.',
'city' => 'ciudad', 'numeric' => 'El campo :attribute debe ser menor que :value.',
'content' => 'contenido', 'string' => 'El campo :attribute debe tener menos de :value caracteres.',
'country' => 'país', ),
'created_at' => 'creado el', 'lte' =>
'creator' => 'creador', array (
'current_password' => 'contraseña actual', 'array' => 'El campo :attribute debe tener como máximo :value elementos.',
'date' => 'fecha', 'file' => 'El campo :attribute debe tener como máximo :value kilobytes.',
'date_of_birth' => 'fecha de nacimiento', 'numeric' => 'El campo :attribute debe ser como máximo :value.',
'day' => 'día', 'string' => 'El campo :attribute debe tener como máximo :value caracteres.',
'deleted_at' => 'eliminado el', ),
'description' => 'descripción', 'mac_address' => 'El campo :attribute debe ser una dirección MAC válida.',
'district' => 'distrito', 'max' =>
'duration' => 'duración', array (
'email' => 'correo electrónico', 'array' => ':Attribute no debe tener más de :max elementos.',
'excerpt' => 'extracto', 'file' => ':Attribute no debe ser mayor que :max kilobytes.',
'filter' => 'filtro', 'numeric' => ':Attribute no debe ser mayor que :max.',
'first_name' => 'nombre', 'string' => ':Attribute no debe ser mayor que :max caracteres.',
'gender' => 'género', ),
'group' => 'grupo', 'max_digits' => 'El campo :attribute no debe tener más de :max dígitos.',
'hour' => 'hora', 'mimes' => ':Attribute debe ser un archivo con formato: :values.',
'image' => 'imagen', 'mimetypes' => ':Attribute debe ser un archivo con formato: :values.',
'last_name' => 'apellido', 'min' =>
'lesson' => 'lección', array (
'line_address_1' => 'dirección de la línea 1', 'array' => ':Attribute debe tener al menos :min elementos.',
'line_address_2' => 'dirección de la línea 2', 'file' => 'El tamaño de :attribute debe ser de al menos :min kilobytes.',
'message' => 'mensaje', 'numeric' => 'El tamaño de :attribute debe ser de al menos :min.',
'middle_name' => 'segundo nombre', 'string' => ':Attribute debe contener al menos :min caracteres.',
'minute' => 'minuto', ),
'mobile' => 'móvil', 'min_digits' => 'El campo :attribute debe tener al menos :min dígitos.',
'month' => 'mes', 'multiple_of' => 'El campo :attribute debe ser múltiplo de :value',
'name' => 'nombre', 'not_in' => ':Attribute es inválido.',
'national_code' => 'código nacional', 'not_regex' => 'El formato del campo :attribute no es válido.',
'number' => 'número', 'numeric' => ':Attribute debe ser numérico.',
'password' => 'contraseña', 'password' =>
'password_confirmation' => 'confirmación de la contraseña', array (
'phone' => 'teléfono', 'letters' => 'La :attribute debe contener al menos una letra.',
'photo' => 'foto', 'mixed' => 'La :attribute debe contener al menos una letra mayúscula y una minúscula.',
'postal_code' => 'código postal', 'numbers' => 'La :attribute debe contener al menos un número.',
'price' => 'precio', 'symbols' => 'La :attribute debe contener al menos un símbolo.',
'province' => 'provincia', 'uncompromised' => 'La :attribute proporcionada se ha visto comprometida en una filtración de datos (data leak). Elija una :attribute diferente.',
'recaptcha_response_field' => 'respuesta del recaptcha', ),
'remember' => 'recordar', 'present' => 'El campo :attribute debe estar presente.',
'restored_at' => 'restaurado el', 'prohibited' => 'El campo :attribute está prohibido.',
'result_text_under_image' => 'texto bajo la imagen', 'prohibited_if' => 'El campo :attribute está prohibido cuando :other es :value.',
'role' => 'rol', 'prohibited_unless' => 'El campo :attribute está prohibido a menos que :other sea :values.',
'second' => 'segundo', 'prohibits' => 'El campo :attribute prohibe que :other esté presente.',
'sex' => 'sexo', 'regex' => 'El formato de :attribute es inválido.',
'short_text' => 'texto corto', 'relatable' => 'Este :attribute no se puede asociar con este recurso',
'size' => 'tamaño', 'required' => 'El campo :attribute es obligatorio.',
'state' => 'estado', 'required_array_keys' => 'El campo :attribute debe contener entradas para: :values.',
'street' => 'calle', 'required_if' => 'El campo :attribute es obligatorio cuando :other es :value.',
'student' => 'estudiante', 'required_if_accepted' => 'El campo :attribute es obligatorio si :other es aceptado.',
'subject' => 'asunto', 'required_unless' => 'El campo :attribute es obligatorio a menos que :other esté en :values.',
'teacher' => 'profesor', 'required_with' => 'El campo :attribute es obligatorio cuando :values está presente.',
'terms' => 'términos', 'required_with_all' => 'El campo :attribute es obligatorio cuando :values están presentes.',
'test_description' => 'descripción de prueba', 'required_without' => 'El campo :attribute es obligatorio cuando :values no está presente.',
'test_locale' => 'prueba local', 'required_without_all' => 'El campo :attribute es obligatorio cuando ninguno de :values está presente.',
'test_name' => 'nombre de prueba', 'same' => ':Attribute y :other deben coincidir.',
'text' => 'texto', 'size' =>
'time' => 'hora', array (
'title' => 'título', 'array' => ':Attribute debe contener :size elementos.',
'updated_at' => 'actualizado el', 'file' => 'El tamaño de :attribute debe ser :size kilobytes.',
'username' => 'usuario', 'numeric' => 'El tamaño de :attribute debe ser :size.',
'year' => 'año', 'string' => ':Attribute debe contener :size caracteres.',
], ),
]; 'starts_with' => 'El campo :attribute debe comenzar con uno de los siguientes valores: :values',
'string' => 'El campo :attribute debe ser una cadena de caracteres.',
'timezone' => ':Attribute debe ser una zona horaria válida.',
'unique' => 'El campo :attribute ya ha sido registrado.',
'uploaded' => 'Subir :attribute ha fallado.',
'uppercase' => 'El campo :attribute debe estar en mayúscula.',
'url' => ':Attribute debe ser una URL válida.',
'uuid' => 'El campo :attribute debe ser un UUID válido.',
);

View File

@@ -201,5 +201,405 @@
"You may delete any of your existing tokens if they are no longer needed.": "Vous pouvez supprimer n'importe lequel de vos jetons existants s'ils ne sont plus nécessaires.", "You may delete any of your existing tokens if they are no longer needed.": "Vous pouvez supprimer n'importe lequel de vos jetons existants s'ils ne sont plus nécessaires.",
"You may not delete your personal team.": "Vous ne pouvez pas supprimer votre équipe personnelle.", "You may not delete your personal team.": "Vous ne pouvez pas supprimer votre équipe personnelle.",
"You may not leave a team that you created.": "Vous ne pouvez pas quitter une équipe que vous avez créée.", "You may not leave a team that you created.": "Vous ne pouvez pas quitter une équipe que vous avez créée.",
"Your email address is unverified.": "Votre adresse e-mail n'est pas vérifiée." "Your email address is unverified.": "Votre adresse e-mail n'est pas vérifiée.",
"Book": "",
"Article": "",
"Markdown Article": "",
"Youtube Video": "",
"Vimeo Video": "",
"Podcast Episode": "",
"Downloadable File": "",
"Bitcoin Events": "",
"Country": "",
"Title": "",
"From": "",
"To": "",
"Venue": "",
"Link": "",
"No bookcases found in the radius of 5km": "",
"City": "",
"Search City": "",
"Search Venue": "",
"Course": "",
"Search Course": "",
"Type": "",
"Lecturer": "",
"Actions": "",
"Meetup": "",
"Location": "",
"Start": "",
"Links": "",
"Bookcase": "",
"Created by: :name": "",
"Logo": "",
"Show worldwide": "",
"If checked, the event will be shown everywhere.": "",
"Description": "",
"Created By": "",
"Book Case": "",
"Latitude": "",
"Longitude": "",
"Address": "",
"Open": "",
"Comment": "",
"Contact": "",
"Bcz": "",
"Digital": "",
"Icontype": "",
"Deactivated": "",
"Deactreason": "",
"Entrytype": "",
"Homepage": "",
"OrangePills": "",
"Comments": "",
"Slug": "",
"Courses": "",
"Country: :name": "",
"Venues": "",
"Course Events": "",
"Meetups": "",
"Commentator": "",
"Original text": "",
"Show": "",
"Status": "",
"Created at": "",
"Code: :code": "",
"English name": "",
"Languages": "",
"Cities": "",
"Main picture": "",
"Images": "",
"Upload images here to insert them later in the Markdown Description. But you have to save before.": "",
"Tags": "",
"Markdown is allowed. You can paste images from the \"Images\" field here. Use the link icon of the images for the urls after clicking \"Update and continue\".": "",
"Select here the lecturer who holds the course. If the lecturer is not in the list, create it first under \"Lecturers\".": "",
"Categories": "",
"Course Event": "",
"Image": "",
"Data": "",
"Podcast": "",
"Lecturer\/Content Creator": "",
"Library": "",
"Is public": "",
"Library Item": "",
"Language Code": "",
"Value": "",
"Episode": "",
"Meetup Event": "",
"Locked": "",
"Episodes": "",
"Users": "",
"City: :name": "",
"Street": "",
"Locations": "",
"MIT License": "",
"nova-spatie-permissions::lang.display_names\": \"": "",
"Please copy your new API token. For your security, it won\\'t be shown again.": "",
"Back to the website": "",
"I want to submit new courses on this platform": "",
"Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn\\'t receive the email, we will gladly send you another.": "",
"💊 Orange Pill Now": "",
"Details": "",
"no bitcoin books yet": "",
"Perimeter search course date :name (100km)": "",
"Perimeter search bookcase :name (5km)": "",
"Show dates": "",
"Show content": "",
"Download": "",
"Listen": "",
"Calendar Stream Url copied!": "",
"Paste the calendar stream link into a compatible calendar app.": "",
"Calendar Stream-Url": "",
"URL copied!": "",
"Copy": "",
"Email login": "",
"Email registration": "",
"Zeus bug:": "",
"Bookcases": "",
"Search out a public bookcase": "",
"Built with ❤️ by our team.": "",
"Github": "",
"Wish List\/Feedback": "",
"Translate (:lang :percent%)": "",
"Back to the overview": "",
"Lecturers": "",
"Events": "",
"Library for lecturers": "",
"City search": "",
"World map": "",
"Meetup dates": "",
"Change country": "",
"Change language": "",
"Registration": "",
"Choose your city, search for courses in the surrounding area and select a topic that suits you.": "",
"Content": "",
"Choose a topic that is right for you.": "",
"Search": "",
"Dates": "",
"Einundzwanzig": "",
"Bitcoin Portal": "",
"A Bitcoin community for all.": "",
"Plebs together strong": "",
"Education": "",
"Worldwide": "",
"Reading": "",
"School": "",
"Find Bitcoin courses in your city": "",
"👇 Find a course 👇": "",
"Select a tab": "",
"Lecturer Libraries": "",
"Libraries": "",
"Creator": "",
"Contents": "",
"Calendar Stream-Url for all meetup events": "",
"Bitcoiner": "",
"Plebs together strong 💪": "",
"Bitcoiner Meetups are a great way to meet other Bitcoiners in your area. You can learn from each other, share ideas, and have fun!": "",
"Orange Pill Book Case": "",
"So far here were": "",
"On :asDateTime :name has added :amount Bitcoin books.": "",
"Number of books": "",
"How many bitcoin books have you put in?": "",
"Date": "",
"When did you put bitcoin books in?": "",
"For example, what books you put in.": "",
"Von": "",
"Bis": "",
"Link to the registration": "",
"Submit Meetup": "",
"Register Meetup date": "",
"Register lecturer": "",
"Register course": "",
"Register course date": "",
"Submit contents": "",
"Register event": "",
"My profile": "",
"When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone\\'s Google Authenticator application.": "",
"To finish enabling two factor authentication, scan the following QR code using your phone\\'s authenticator application or enter the setup key and provide the generated OTP code.": "",
"Two factor authentication is now enabled. Scan the following QR code using your phone\\'s authenticator application or enter the setup key.": "",
"Update your account\\'s profile information and email address.": "",
"Timezone": "",
"The team\\'s name and owner information.": "",
"You can use <a href=\"https:\/\/spatie.be\/markdown\" target=\"_blank\" rel=\"nofollow noopener noreferrer\">Markdown<\/a>": "",
"Unsubscribe from receive notification about :commentableName": "",
"The comment has been approved.": "",
"Do you want to approve the comment?": "",
"Approve": "",
"The comment has been rejected.": "",
"Do you want to reject the comment?": "",
"You have been unsubscribed.": "",
"You have been unsubscribed from every comment notification.": "",
"Do you want to unsubscribe from every comment notification?": "",
"Do you want to unsubscribe?": "",
"Dismiss": "",
"close": "",
"Rotate -90": "",
"Rotate +90": "",
"Update": "",
"Add New \".concat(e)):this.__(\"Upload New \".concat(e))},mustCrop:function(){return\"mustCrop\"in this.field&&this.field.mustCrop}},watch:{modelValue:function(e){this.images=e||[]},images:function(e,t){this.queueNewImages(e,t),this.$emit(\"update:modelValue": "",
"Maximum file size is :amount MB": "",
"File type must be: :types": "",
"Uploading": "",
"Do you really want to leave? You have unsaved changes.": "",
"*": "",
"Select": "",
"Existing Media": "",
"Search by name or file name": "",
"No results found": "",
"Load Next Page": "",
"Add Existing \".concat(e)):this.__(\"Use Existing \".concat(e))}},methods:{setInitialValue:function(){var e=this.field.value||[];this.field.multiple||(e=e.slice(0,1)),this.value=e,this.hasSetInitialValue=!0},fill:function(e){var t=this,n=this.field.attribute;this.value.forEach((function(r,i){var o,a,s;!r.id?r.isVaporUpload?(e.append(\"__media__[\".concat(n,\"][": "",
"nova-spatie-permissions::lang.display_names.'.$this->name);\n\t\t\t})->canSee(function (){\n\t\t\t\treturn is_array(__('nova-spatie-permissions::lang.display_names": "",
"This will go in the JSON array": "",
"This will also go in the JSON array": "",
"trans": "",
"Go Home": "",
"Whoops": "",
"We're lost in space. The page you were trying to view does not exist.": "",
"Hold Up!": "",
"The government won't let us show you what's behind these doors": "",
":-(": "",
"Nova experienced an unrecoverable error.": "",
"Toggle Collapsed": "",
"This resource no longer exists": "",
":resource Details: :title": "",
"Soft Deleted": "",
"View": "",
"Edit": "",
"The resource was attached!": "",
"Attach :resource": "",
"No additional information...": "",
"Choose :resource": "",
"Attach & Attach Another": "",
"The resource was updated!": "",
"Update attached :resource: :title": "",
"Choose :field": "",
"Update & Continue Editing": "",
"Update :resource": "",
"Toggle Sidebar": "",
"Close Sidebar": "",
"Sorry, your session has expired.": "",
"Reload": "",
"There was a problem executing the action.": "",
"The action was executed successfully.": "",
"There was a problem submitting the form.": "",
"Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "",
"Standalone Actions": "",
"Select Action": "",
"Stop Polling": "",
"Start Polling": "",
"Show Cards": "",
"Hide Cards": "",
"The HasOne relationship has already been filled.": "",
"The HasOneThrough relationship has already been filled.": "",
"The :resource was created!": "",
"Create :resource": "",
"Create & Add Another": "",
"Attach": "",
"Restore Selected": "",
"Force Delete Selected": "",
"Trash Dropdown": "",
"Force Delete Resource": "",
"Are you sure you want to force delete the selected resources?": "",
"The :resource was deleted!": "",
"The :resource was restored!": "",
"Replicate": "",
"Impersonate": "",
"Delete Resource": "",
"Restore Resource": "",
"Resource Row Dropdown": "",
"Preview": "",
"Select this page": "",
"Select all": "",
"Select All Dropdown": "",
"Light": "",
"Dark": "",
"System": "",
"Hide Content": "",
"Show Content": "",
"Reset Filters": "",
"With Trashed": "",
"Only Trashed": "",
"Trashed": "",
"Per Page": "",
"Filter Dropdown": "",
"Choose date": "",
"—": "",
"Press \/ to search": "",
"No Results Found.": "",
"No :resource matched the given criteria.": "",
"Failed to load :resource!": "",
"Click to choose": "",
"Lens Dropdown": "",
"Unregistered": "",
"total": "",
"Select Ranges": "",
"No Increase": "",
"No Prior Data": "",
"No Current Data": "",
"No Data": "",
"Delete File": "",
"Are you sure you want to delete this file?": "",
"Are you sure you want to \"+o.mode+\" the selected resources?": "",
"Previewing": "",
"View :resource": "",
"There are no fields to display.": "",
"Are you sure you want to restore the selected resources?": "",
"Restore": "",
"Are you sure you want to delete this notification?": "",
"Notifications": "",
"Mark all as Read": "",
"There are no new notifications.": "",
"Load :perPage More": "",
"All resources loaded.": "",
":amount Total": "",
"Previous": "",
"Next": "",
"Copy to clipboard": "",
"There's nothing configured to show here.": "",
"Selected Resources": "",
"Controls": "",
"Select Resource :title": "",
"Edit Attached": "",
"Are you sure you want to restore this resource?": "",
"Show more": "",
"Are you sure you want to log out?": "",
"Are you sure you want to stop impersonating?": "",
"Nova User": "",
"Stop Impersonating": "",
":name's Avatar": "",
"Something went wrong.": "",
"Yes": "",
"No": "",
"Show All Fields": "",
"End": "",
"Min": "",
"Max": "",
"Sorry! You are not authorized to perform this action.": "",
"The file was deleted!": "",
"There was a problem fetching the resource.": "",
"Write": "",
"Choose Type": "",
"There are no available options for this resource.": "",
"Choose": "",
"Choose an option": "",
"Customize": "",
"An error occurred while uploading the file.": "",
"Refresh": "",
"Forgot Password": "",
"Log In": "",
"Welcome Back!": "",
"The :resource was updated!": "",
"Update :resource: :title": "",
"Choose Files": "",
"Choose File": "",
"Drop files or click to choose": "",
"Drop file or click to choose": "",
"Choose a file": "",
"&mdash;": "",
"The image could not be loaded.": "",
":name\\\\'s Avatar": "",
"taylorotwell": "",
"Laravel Nova": "",
"Laravel Nova :version": "",
"Are you sure you want to ' + mode + ' the selected resources?": "",
":name\\'s Avatar": "",
"ID": "",
"Action Name": "",
"Action Initiated By": "",
"Action Target": "",
"Action Status": "",
"Waiting": "",
"Running": "",
"Failed": "",
"Original": "",
"Changes": "",
"Exception": "",
"Action Happened At": "",
"Action": "",
"CSV (.csv)": "",
"Excel (.xlsx)": "",
"Filename": "",
"30 Days": "",
"60 Days": "",
"90 Days": "",
"365 Days": "",
"Today": "",
"Month To Date": "",
"Quarter To Date": "",
"Year To Date": "",
"Unable to find Resource for model [:model].": "",
"The resource was prevented from being saved!": "",
"Loading": "",
"Finished": "",
"Key": "",
"Add row": "",
"Resources": "",
"Dashboards": "",
"Replicate :resource": "",
"time": "",
"All Columns": "",
"All": "",
"N\/A": "",
"Add tags...": "",
"Add tag...": ""
} }

View File

@@ -0,0 +1,11 @@
<?php
return array (
'' =>
array (
'' =>
array (
'' => '',
),
),
);

View File

@@ -1,9 +1,7 @@
<?php <?php
declare(strict_types=1); return array (
'failed' => 'Ces identifiants ne correspondent pas à nos enregistrements.',
return [ 'password' => 'Le mot de passe est incorrect',
'failed' => 'Ces identifiants ne correspondent pas à nos enregistrements.', 'throttle' => 'Tentatives de connexion trop nombreuses. Veuillez essayer de nouveau dans :seconds secondes.',
'password' => 'Le mot de passe est incorrect', );
'throttle' => 'Tentatives de connexion trop nombreuses. Veuillez essayer de nouveau dans :seconds secondes.',
];

View File

@@ -1,84 +1,82 @@
<?php <?php
declare(strict_types=1); return array (
0 => 'Erreur inconnue',
return [ 'unknownError' => 'Erreur inconnue',
'0' => 'Erreur inconnue', 100 => 'Continuer',
'100' => 'Continuer', 101 => 'Protocoles de commutation',
'101' => 'Protocoles de commutation', 102 => 'En traitement',
'102' => 'En traitement', 200 => 'D\'accord',
'200' => 'D\'accord', 201 => 'Créé',
'201' => 'Créé', 202 => 'Accepté',
'202' => 'Accepté', 203 => 'Informations non autorisées',
'203' => 'Informations non autorisées', 204 => 'Pas content',
'204' => 'Pas content', 205 => 'Réinitialiser le contenu',
'205' => 'Réinitialiser le contenu', 206 => 'Contenu partiel',
'206' => 'Contenu partiel', 207 => 'Multi-statut',
'207' => 'Multi-statut', 208 => 'Déjà rapporté',
'208' => 'Déjà rapporté', 226 => 'J\'ai l\'habitude',
'226' => 'J\'ai l\'habitude', 300 => 'Choix multiples',
'300' => 'Choix multiples', 301 => 'Déplacé de façon permanente',
'301' => 'Déplacé de façon permanente', 302 => 'A trouvé',
'302' => 'A trouvé', 303 => 'Voir autre',
'303' => 'Voir autre', 304 => 'Non modifié',
'304' => 'Non modifié', 305 => 'Utiliser un proxy',
'305' => 'Utiliser un proxy', 307 => 'Redirection temporaire',
'307' => 'Redirection temporaire', 308 => 'Redirection permanente',
'308' => 'Redirection permanente', 400 => 'Mauvaise Demande',
'400' => 'Mauvaise Demande', 401 => 'Non autorisé',
'401' => 'Non autorisé', 402 => 'Paiement Requis',
'402' => 'Paiement Requis', 403 => 'Interdit',
'403' => 'Interdit', 404 => 'Page non trouvée',
'404' => 'Page non trouvée', 405 => 'Méthode Non Autorisée',
'405' => 'Méthode Non Autorisée', 406 => 'Pas acceptable',
'406' => 'Pas acceptable', 407 => 'Authentification proxy requise',
'407' => 'Authentification proxy requise', 408 => 'Délai d\'expiration de la demande',
'408' => 'Délai d\'expiration de la demande', 409 => 'Conflit',
'409' => 'Conflit', 410 => 'Disparu',
'410' => 'Disparu', 411 => 'Longueur requise',
'411' => 'Longueur requise', 412 => 'La précondition a échoué',
'412' => 'La précondition a échoué', 413 => 'Charge utile trop grande',
'413' => 'Charge utile trop grande', 414 => 'URI trop long',
'414' => 'URI trop long', 415 => 'Type de support non supporté',
'415' => 'Type de support non supporté', 416 => 'Plage non satisfaisante',
'416' => 'Plage non satisfaisante', 417 => 'Échec de l\'attente',
'417' => 'Échec de l\'attente', 418 => 'Je suis une théière',
'418' => 'Je suis une théière', 419 => 'La session a expiré',
'419' => 'La session a expiré', 421 => 'Demande mal dirigée',
'421' => 'Demande mal dirigée', 422 => 'Entité non traitable',
'422' => 'Entité non traitable', 423 => 'Fermé à clef',
'423' => 'Fermé à clef', 424 => 'Dépendance échouée',
'424' => 'Dépendance échouée', 425 => 'Too Early',
'425' => 'Too Early', 426 => 'Mise à niveau requise',
'426' => 'Mise à niveau requise', 428 => 'Condition préalable requise',
'428' => 'Condition préalable requise', 429 => 'Trop de demandes',
'429' => 'Trop de demandes', 431 => 'Demander des champs d\'en-tête trop grands',
'431' => 'Demander des champs d\'en-tête trop grands', 444 => 'Connection Closed Without Response',
'444' => 'Connection Closed Without Response', 449 => 'Réessayer avec',
'449' => 'Réessayer avec', 451 => 'Indisponible pour des raisons légales',
'451' => 'Indisponible pour des raisons légales', 499 => 'Client Closed Request',
'499' => 'Client Closed Request', 500 => 'Erreur Interne du Serveur',
'500' => 'Erreur Interne du Serveur', 501 => 'Pas mis en œuvre',
'501' => 'Pas mis en œuvre', 502 => 'Mauvaise passerelle',
'502' => 'Mauvaise passerelle', 503 => 'Mode de Maintenance',
'503' => 'Mode de Maintenance', 504 => 'Délai d\'attente de la passerelle',
'504' => 'Délai d\'attente de la passerelle', 505 => 'Version HTTP non prise en charge',
'505' => 'Version HTTP non prise en charge', 506 => 'La variante négocie également',
'506' => 'La variante négocie également', 507 => 'Espace insuffisant',
'507' => 'Espace insuffisant', 508 => 'Boucle détectée',
'508' => 'Boucle détectée', 509 => 'Limite de bande passante dépassée',
'509' => 'Limite de bande passante dépassée', 510 => 'Non prolongé',
'510' => 'Non prolongé', 511 => 'Authentification réseau requise',
'511' => 'Authentification réseau requise', 520 => 'Erreur inconnue',
'520' => 'Erreur inconnue', 521 => 'Le serveur Web est en panne',
'521' => 'Le serveur Web est en panne', 522 => 'La connexion a expiré',
'522' => 'La connexion a expiré', 523 => 'L\'origine est inaccessible',
'523' => 'L\'origine est inaccessible', 524 => 'Un dépassement de délai s\'est produit',
'524' => 'Un dépassement de délai s\'est produit', 525 => 'Échec de la prise de contact SSL',
'525' => 'Échec de la prise de contact SSL', 526 => 'Certificat SSL invalide',
'526' => 'Certificat SSL invalide', 527 => 'Railgun Error',
'527' => 'Railgun Error', 598 => 'Network Read Timeout Error',
'598' => 'Network Read Timeout Error', 599 => 'Network Connect Timeout Error',
'599' => 'Network Connect Timeout Error', );
'unknownError' => 'Erreur inconnue',
];

View File

@@ -1,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
'next' => 'Suivant &raquo;',
return [ 'previous' => '&laquo; Précédent',
'next' => 'Suivant &raquo;', );
'previous' => '&laquo; Précédent',
];

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
'reset' => 'Votre mot de passe a été réinitialisé !',
return [ 'sent' => 'Nous vous avons envoyé par email le lien de réinitialisation du mot de passe !',
'reset' => 'Votre mot de passe a été réinitialisé !', 'throttled' => 'Veuillez patienter avant de réessayer.',
'sent' => 'Nous vous avons envoyé par email le lien de réinitialisation du mot de passe !', 'token' => 'Ce jeton de réinitialisation du mot de passe n\'est pas valide.',
'throttled' => 'Veuillez patienter avant de réessayer.', 'user' => 'Aucun utilisateur n\'a été trouvé avec cette adresse email.',
'token' => 'Ce jeton de réinitialisation du mot de passe n\'est pas valide.', );
'user' => 'Aucun utilisateur n\'a été trouvé avec cette adresse email.',
];

View File

@@ -0,0 +1,6 @@
<?php
return array (
'first_match' => '',
'third_match' => '',
);

View File

@@ -1,210 +1,218 @@
<?php <?php
declare(strict_types=1); return array (
'accepted' => 'Le champ :attribute doit être accepté.',
return [ 'accepted_if' => 'Le champ :attribute doit être accepté quand :other a la valeur :value.',
'accepted' => 'Le champ :attribute doit être accepté.', 'active_url' => 'Le champ :attribute n\'est pas une URL valide.',
'accepted_if' => 'Le champ :attribute doit être accepté quand :other a la valeur :value.', 'after' => 'Le champ :attribute doit être une date postérieure au :date.',
'active_url' => 'Le champ :attribute n\'est pas une URL valide.', 'after_or_equal' => 'Le champ :attribute doit être une date postérieure ou égale au :date.',
'after' => 'Le champ :attribute doit être une date postérieure au :date.', 'alpha' => 'Le champ :attribute doit contenir uniquement des lettres.',
'after_or_equal' => 'Le champ :attribute doit être une date postérieure ou égale au :date.', 'alpha_dash' => 'Le champ :attribute doit contenir uniquement des lettres, des chiffres et des tirets.',
'alpha' => 'Le champ :attribute doit contenir uniquement des lettres.', 'alpha_num' => 'Le champ :attribute doit contenir uniquement des chiffres et des lettres.',
'alpha_dash' => 'Le champ :attribute doit contenir uniquement des lettres, des chiffres et des tirets.', 'array' => 'Le champ :attribute doit être un tableau.',
'alpha_num' => 'Le champ :attribute doit contenir uniquement des chiffres et des lettres.', 'attached' => ':Attribute est déjà attaché(e).',
'array' => 'Le champ :attribute doit être un tableau.', 'attributes' =>
'attached' => ':Attribute est déjà attaché(e).', array (
'before' => 'Le champ :attribute doit être une date antérieure au :date.', 'address' => 'adresse',
'before_or_equal' => 'Le champ :attribute doit être une date antérieure ou égale au :date.', 'age' => 'âge',
'between' => [ 'amount' => 'montant',
'array' => 'Le tableau :attribute doit contenir entre :min et :max éléments.', 'area' => 'zone',
'file' => 'La taille du fichier de :attribute doit être comprise entre :min et :max kilo-octets.', 'available' => 'disponible',
'numeric' => 'La valeur de :attribute doit être comprise entre :min et :max.', 'birthday' => 'anniversaire',
'string' => 'Le texte :attribute doit contenir entre :min et :max caractères.', 'body' => 'corps',
], 'city' => 'ville',
'boolean' => 'Le champ :attribute doit être vrai ou faux.', 'content' => 'contenu',
'confirmed' => 'Le champ de confirmation :attribute ne correspond pas.', 'country' => 'pays',
'current_password' => 'Le mot de passe est incorrect.', 'created_at' => 'créé à',
'date' => 'Le champ :attribute n\'est pas une date valide.', 'creator' => 'créateur',
'date_equals' => 'Le champ :attribute doit être une date égale à :date.', 'current_password' => 'mot de passe actuel',
'date_format' => 'Le champ :attribute ne correspond pas au format :format.', 'date' => 'date',
'declined' => 'Le champ :attribute doit être décliné.', 'date_of_birth' => 'date de naissance',
'declined_if' => 'Le champ :attribute doit être décliné quand :other a la valeur :value.', 'day' => 'jour',
'different' => 'Les champs :attribute et :other doivent être différents.', 'deleted_at' => 'supprimé à',
'digits' => 'Le champ :attribute doit contenir :digits chiffres.', 'description' => 'description',
'digits_between' => 'Le champ :attribute doit contenir entre :min et :max chiffres.', 'district' => 'quartier',
'dimensions' => 'La taille de l\'image :attribute n\'est pas conforme.', 'duration' => 'durée',
'distinct' => 'Le champ :attribute a une valeur en double.', 'email' => 'adresse e-mail',
'doesnt_end_with' => 'Le champ :attribute ne doit pas finir avec une des valeurs suivantes : :values.', 'excerpt' => 'extrait',
'doesnt_start_with' => 'Le champ :attribute ne doit pas commencer avec une des valeurs suivantes : :values.', 'filter' => 'filtre',
'email' => 'Le champ :attribute doit être une adresse e-mail valide.', 'first_name' => 'prénom',
'ends_with' => 'Le champ :attribute doit se terminer par une des valeurs suivantes : :values', 'gender' => 'genre',
'enum' => 'Le champ :attribute sélectionné est invalide.', 'group' => 'groupe',
'exists' => 'Le champ :attribute sélectionné est invalide.', 'hour' => 'heure',
'file' => 'Le champ :attribute doit être un fichier.', 'image' => 'image',
'filled' => 'Le champ :attribute doit avoir une valeur.', 'last_name' => 'nom',
'gt' => [ 'lesson' => 'leçon',
'array' => 'Le tableau :attribute doit contenir plus de :value éléments.', 'line_address_1' => 'ligne d\'adresse 1',
'file' => 'La taille du fichier de :attribute doit être supérieure à :value kilo-octets.', 'line_address_2' => 'ligne d\'adresse 2',
'numeric' => 'La valeur de :attribute doit être supérieure à :value.', 'message' => 'message',
'string' => 'Le texte :attribute doit contenir plus de :value caractères.', 'middle_name' => 'deuxième prénom',
], 'minute' => 'minute',
'gte' => [ 'mobile' => 'portable',
'array' => 'Le tableau :attribute doit contenir au moins :value éléments.', 'month' => 'mois',
'file' => 'La taille du fichier de :attribute doit être supérieure ou égale à :value kilo-octets.', 'name' => 'nom',
'numeric' => 'La valeur de :attribute doit être supérieure ou égale à :value.', 'national_code' => 'code national',
'string' => 'Le texte :attribute doit contenir au moins :value caractères.', 'number' => 'numéro',
], 'password' => 'mot de passe',
'image' => 'Le champ :attribute doit être une image.', 'password_confirmation' => 'confirmation du mot de passe',
'in' => 'Le champ :attribute est invalide.', 'phone' => 'téléphone',
'in_array' => 'Le champ :attribute n\'existe pas dans :other.', 'photo' => 'photo',
'integer' => 'Le champ :attribute doit être un entier.', 'postal_code' => 'code postal',
'ip' => 'Le champ :attribute doit être une adresse IP valide.', 'price' => 'prix',
'ipv4' => 'Le champ :attribute doit être une adresse IPv4 valide.', 'province' => 'région',
'ipv6' => 'Le champ :attribute doit être une adresse IPv6 valide.', 'recaptcha_response_field' => 'champ de réponse recaptcha',
'json' => 'Le champ :attribute doit être un document JSON valide.', 'remember' => 'se souvenir',
'lowercase' => 'The :attribute must be lowercase.', 'restored_at' => 'restauré à',
'lt' => [ 'result_text_under_image' => 'texte de résultat sous l\'image',
'array' => 'Le tableau :attribute doit contenir moins de :value éléments.', 'role' => 'rôle',
'file' => 'La taille du fichier de :attribute doit être inférieure à :value kilo-octets.', 'second' => 'seconde',
'numeric' => 'La valeur de :attribute doit être inférieure à :value.', 'sex' => 'sexe',
'string' => 'Le texte :attribute doit contenir moins de :value caractères.', 'short_text' => 'texte court',
], 'size' => 'taille',
'lte' => [ 'state' => 'état',
'array' => 'Le tableau :attribute doit contenir au plus :value éléments.', 'street' => 'rue',
'file' => 'La taille du fichier de :attribute doit être inférieure ou égale à :value kilo-octets.', 'student' => 'étudiant',
'numeric' => 'La valeur de :attribute doit être inférieure ou égale à :value.', 'subject' => 'sujet',
'string' => 'Le texte :attribute doit contenir au plus :value caractères.', 'teacher' => 'professeur',
], 'terms' => 'conditions',
'mac_address' => 'Le champ :attribute doit être une adresse MAC valide.', 'test_description' => 'description test',
'max' => [ 'test_locale' => 'localisation test',
'array' => 'Le tableau :attribute ne peut pas contenir plus que :max éléments.', 'test_name' => 'nom test',
'file' => 'La taille du fichier de :attribute ne peut pas dépasser :max kilo-octets.', 'text' => 'texte',
'numeric' => 'La valeur de :attribute ne peut pas être supérieure à :max.', 'time' => 'heure',
'string' => 'Le texte de :attribute ne peut pas contenir plus de :max caractères.', 'title' => 'titre',
], 'updated_at' => 'mis à jour à',
'max_digits' => 'Le champ :attribute ne doit pas avoir plus de :max chiffres.', 'username' => 'nom d\'utilisateur',
'mimes' => 'Le champ :attribute doit être un fichier de type : :values.', 'year' => 'année',
'mimetypes' => 'Le champ :attribute doit être un fichier de type : :values.', ),
'min' => [ 'before' => 'Le champ :attribute doit être une date antérieure au :date.',
'array' => 'Le tableau :attribute doit contenir au moins :min éléments.', 'before_or_equal' => 'Le champ :attribute doit être une date antérieure ou égale au :date.',
'file' => 'La taille du fichier de :attribute doit être supérieure ou égale à :min kilo-octets.', 'between' =>
'numeric' => 'La valeur de :attribute doit être supérieure ou égale à :min.', array (
'string' => 'Le texte de :attribute doit contenir au moins :min caractères.', 'array' => 'Le tableau :attribute doit contenir entre :min et :max éléments.',
], 'file' => 'La taille du fichier de :attribute doit être comprise entre :min et :max kilo-octets.',
'min_digits' => 'Le champ :attribute doit avoir au moins :min chiffres.', 'numeric' => 'La valeur de :attribute doit être comprise entre :min et :max.',
'multiple_of' => 'La valeur de :attribute doit être un multiple de :value', 'string' => 'Le texte :attribute doit contenir entre :min et :max caractères.',
'not_in' => 'Le champ :attribute sélectionné n\'est pas valide.', ),
'not_regex' => 'Le format du champ :attribute n\'est pas valide.', 'boolean' => 'Le champ :attribute doit être vrai ou faux.',
'numeric' => 'Le champ :attribute doit contenir un nombre.', 'confirmed' => 'Le champ de confirmation :attribute ne correspond pas.',
'password' => [ 'current_password' => 'Le mot de passe est incorrect.',
'letters' => 'Le champ :attribute doit contenir au moins une lettre.', 'date' => 'Le champ :attribute n\'est pas une date valide.',
'mixed' => 'Le champ :attribute doit contenir au moins une majuscule et une minuscule.', 'date_equals' => 'Le champ :attribute doit être une date égale à :date.',
'numbers' => 'Le champ :attribute doit contenir au moins un chiffre.', 'date_format' => 'Le champ :attribute ne correspond pas au format :format.',
'symbols' => 'Le champ :attribute doit contenir au moins un symbole.', 'declined' => 'Le champ :attribute doit être décliné.',
'uncompromised' => 'La valeur du champ :attribute est apparue dans une fuite de données. Veuillez choisir une valeur différente.', 'declined_if' => 'Le champ :attribute doit être décliné quand :other a la valeur :value.',
], 'different' => 'Les champs :attribute et :other doivent être différents.',
'present' => 'Le champ :attribute doit être présent.', 'digits' => 'Le champ :attribute doit contenir :digits chiffres.',
'prohibited' => 'Le champ :attribute est interdit.', 'digits_between' => 'Le champ :attribute doit contenir entre :min et :max chiffres.',
'prohibited_if' => 'Le champ :attribute est interdit quand :other a la valeur :value.', 'dimensions' => 'La taille de l\'image :attribute n\'est pas conforme.',
'prohibited_unless' => 'Le champ :attribute est interdit à moins que :other est l\'une des valeurs :values.', 'distinct' => 'Le champ :attribute a une valeur en double.',
'prohibits' => 'Le champ :attribute interdit :other d\'être présent.', 'doesnt_end_with' => 'Le champ :attribute ne doit pas finir avec une des valeurs suivantes : :values.',
'regex' => 'Le format du champ :attribute est invalide.', 'doesnt_start_with' => 'Le champ :attribute ne doit pas commencer avec une des valeurs suivantes : :values.',
'relatable' => ':Attribute n\'est sans doute pas associé(e) avec cette donnée.', 'email' => 'Le champ :attribute doit être une adresse e-mail valide.',
'required' => 'Le champ :attribute est obligatoire.', 'ends_with' => 'Le champ :attribute doit se terminer par une des valeurs suivantes : :values',
'required_array_keys' => 'Le champ :attribute doit contenir des entrées pour : :values.', 'enum' => 'Le champ :attribute sélectionné est invalide.',
'required_if' => 'Le champ :attribute est obligatoire quand la valeur de :other est :value.', 'exists' => 'Le champ :attribute sélectionné est invalide.',
'required_if_accepted' => 'Le champ :attribute est obligatoire quand le champ :other a été accepté.', 'file' => 'Le champ :attribute doit être un fichier.',
'required_unless' => 'Le champ :attribute est obligatoire sauf si :other est :values.', 'filled' => 'Le champ :attribute doit avoir une valeur.',
'required_with' => 'Le champ :attribute est obligatoire quand :values est présent.', 'gt' =>
'required_with_all' => 'Le champ :attribute est obligatoire quand :values sont présents.', array (
'required_without' => 'Le champ :attribute est obligatoire quand :values n\'est pas présent.', 'array' => 'Le tableau :attribute doit contenir plus de :value éléments.',
'required_without_all' => 'Le champ :attribute est requis quand aucun de :values n\'est présent.', 'file' => 'La taille du fichier de :attribute doit être supérieure à :value kilo-octets.',
'same' => 'Les champs :attribute et :other doivent être identiques.', 'numeric' => 'La valeur de :attribute doit être supérieure à :value.',
'size' => [ 'string' => 'Le texte :attribute doit contenir plus de :value caractères.',
'array' => 'Le tableau :attribute doit contenir :size éléments.', ),
'file' => 'La taille du fichier de :attribute doit être de :size kilo-octets.', 'gte' =>
'numeric' => 'La valeur de :attribute doit être :size.', array (
'string' => 'Le texte de :attribute doit contenir :size caractères.', 'array' => 'Le tableau :attribute doit contenir au moins :value éléments.',
], 'file' => 'La taille du fichier de :attribute doit être supérieure ou égale à :value kilo-octets.',
'starts_with' => 'Le champ :attribute doit commencer avec une des valeurs suivantes : :values', 'numeric' => 'La valeur de :attribute doit être supérieure ou égale à :value.',
'string' => 'Le champ :attribute doit être une chaîne de caractères.', 'string' => 'Le texte :attribute doit contenir au moins :value caractères.',
'timezone' => 'Le champ :attribute doit être un fuseau horaire valide.', ),
'unique' => 'La valeur du champ :attribute est déjà utilisée.', 'image' => 'Le champ :attribute doit être une image.',
'uploaded' => 'Le fichier du champ :attribute n\'a pu être téléversé.', 'in' => 'Le champ :attribute est invalide.',
'uppercase' => 'The :attribute must be uppercase.', 'in_array' => 'Le champ :attribute n\'existe pas dans :other.',
'url' => 'Le format de l\'URL de :attribute n\'est pas valide.', 'integer' => 'Le champ :attribute doit être un entier.',
'uuid' => 'Le champ :attribute doit être un UUID valide', 'ip' => 'Le champ :attribute doit être une adresse IP valide.',
'attributes' => [ 'ipv4' => 'Le champ :attribute doit être une adresse IPv4 valide.',
'address' => 'adresse', 'ipv6' => 'Le champ :attribute doit être une adresse IPv6 valide.',
'age' => 'âge', 'json' => 'Le champ :attribute doit être un document JSON valide.',
'amount' => 'montant', 'lowercase' => 'The :attribute must be lowercase.',
'area' => 'zone', 'lt' =>
'available' => 'disponible', array (
'birthday' => 'anniversaire', 'array' => 'Le tableau :attribute doit contenir moins de :value éléments.',
'body' => 'corps', 'file' => 'La taille du fichier de :attribute doit être inférieure à :value kilo-octets.',
'city' => 'ville', 'numeric' => 'La valeur de :attribute doit être inférieure à :value.',
'content' => 'contenu', 'string' => 'Le texte :attribute doit contenir moins de :value caractères.',
'country' => 'pays', ),
'created_at' => 'créé à', 'lte' =>
'creator' => 'créateur', array (
'current_password' => 'mot de passe actuel', 'array' => 'Le tableau :attribute doit contenir au plus :value éléments.',
'date' => 'date', 'file' => 'La taille du fichier de :attribute doit être inférieure ou égale à :value kilo-octets.',
'date_of_birth' => 'date de naissance', 'numeric' => 'La valeur de :attribute doit être inférieure ou égale à :value.',
'day' => 'jour', 'string' => 'Le texte :attribute doit contenir au plus :value caractères.',
'deleted_at' => 'supprimé à', ),
'description' => 'description', 'mac_address' => 'Le champ :attribute doit être une adresse MAC valide.',
'district' => 'quartier', 'max' =>
'duration' => 'durée', array (
'email' => 'adresse e-mail', 'array' => 'Le tableau :attribute ne peut pas contenir plus que :max éléments.',
'excerpt' => 'extrait', 'file' => 'La taille du fichier de :attribute ne peut pas dépasser :max kilo-octets.',
'filter' => 'filtre', 'numeric' => 'La valeur de :attribute ne peut pas être supérieure à :max.',
'first_name' => 'prénom', 'string' => 'Le texte de :attribute ne peut pas contenir plus de :max caractères.',
'gender' => 'genre', ),
'group' => 'groupe', 'max_digits' => 'Le champ :attribute ne doit pas avoir plus de :max chiffres.',
'hour' => 'heure', 'mimes' => 'Le champ :attribute doit être un fichier de type : :values.',
'image' => 'image', 'mimetypes' => 'Le champ :attribute doit être un fichier de type : :values.',
'last_name' => 'nom', 'min' =>
'lesson' => 'leçon', array (
'line_address_1' => 'ligne d\'adresse 1', 'array' => 'Le tableau :attribute doit contenir au moins :min éléments.',
'line_address_2' => 'ligne d\'adresse 2', 'file' => 'La taille du fichier de :attribute doit être supérieure ou égale à :min kilo-octets.',
'message' => 'message', 'numeric' => 'La valeur de :attribute doit être supérieure ou égale à :min.',
'middle_name' => 'deuxième prénom', 'string' => 'Le texte de :attribute doit contenir au moins :min caractères.',
'minute' => 'minute', ),
'mobile' => 'portable', 'min_digits' => 'Le champ :attribute doit avoir au moins :min chiffres.',
'month' => 'mois', 'multiple_of' => 'La valeur de :attribute doit être un multiple de :value',
'name' => 'nom', 'not_in' => 'Le champ :attribute sélectionné n\'est pas valide.',
'national_code' => 'code national', 'not_regex' => 'Le format du champ :attribute n\'est pas valide.',
'number' => 'numéro', 'numeric' => 'Le champ :attribute doit contenir un nombre.',
'password' => 'mot de passe', 'password' =>
'password_confirmation' => 'confirmation du mot de passe', array (
'phone' => 'téléphone', 'letters' => 'Le champ :attribute doit contenir au moins une lettre.',
'photo' => 'photo', 'mixed' => 'Le champ :attribute doit contenir au moins une majuscule et une minuscule.',
'postal_code' => 'code postal', 'numbers' => 'Le champ :attribute doit contenir au moins un chiffre.',
'price' => 'prix', 'symbols' => 'Le champ :attribute doit contenir au moins un symbole.',
'province' => 'région', 'uncompromised' => 'La valeur du champ :attribute est apparue dans une fuite de données. Veuillez choisir une valeur différente.',
'recaptcha_response_field' => 'champ de réponse recaptcha', ),
'remember' => 'se souvenir', 'present' => 'Le champ :attribute doit être présent.',
'restored_at' => 'restauré à', 'prohibited' => 'Le champ :attribute est interdit.',
'result_text_under_image' => 'texte de résultat sous l\'image', 'prohibited_if' => 'Le champ :attribute est interdit quand :other a la valeur :value.',
'role' => 'rôle', 'prohibited_unless' => 'Le champ :attribute est interdit à moins que :other est l\'une des valeurs :values.',
'second' => 'seconde', 'prohibits' => 'Le champ :attribute interdit :other d\'être présent.',
'sex' => 'sexe', 'regex' => 'Le format du champ :attribute est invalide.',
'short_text' => 'texte court', 'relatable' => ':Attribute n\'est sans doute pas associé(e) avec cette donnée.',
'size' => 'taille', 'required' => 'Le champ :attribute est obligatoire.',
'state' => 'état', 'required_array_keys' => 'Le champ :attribute doit contenir des entrées pour : :values.',
'street' => 'rue', 'required_if' => 'Le champ :attribute est obligatoire quand la valeur de :other est :value.',
'student' => 'étudiant', 'required_if_accepted' => 'Le champ :attribute est obligatoire quand le champ :other a été accepté.',
'subject' => 'sujet', 'required_unless' => 'Le champ :attribute est obligatoire sauf si :other est :values.',
'teacher' => 'professeur', 'required_with' => 'Le champ :attribute est obligatoire quand :values est présent.',
'terms' => 'conditions', 'required_with_all' => 'Le champ :attribute est obligatoire quand :values sont présents.',
'test_description' => 'description test', 'required_without' => 'Le champ :attribute est obligatoire quand :values n\'est pas présent.',
'test_locale' => 'localisation test', 'required_without_all' => 'Le champ :attribute est requis quand aucun de :values n\'est présent.',
'test_name' => 'nom test', 'same' => 'Les champs :attribute et :other doivent être identiques.',
'text' => 'texte', 'size' =>
'time' => 'heure', array (
'title' => 'titre', 'array' => 'Le tableau :attribute doit contenir :size éléments.',
'updated_at' => 'mis à jour à', 'file' => 'La taille du fichier de :attribute doit être de :size kilo-octets.',
'username' => 'nom d\'utilisateur', 'numeric' => 'La valeur de :attribute doit être :size.',
'year' => 'année', 'string' => 'Le texte de :attribute doit contenir :size caractères.',
], ),
]; 'starts_with' => 'Le champ :attribute doit commencer avec une des valeurs suivantes : :values',
'string' => 'Le champ :attribute doit être une chaîne de caractères.',
'timezone' => 'Le champ :attribute doit être un fuseau horaire valide.',
'unique' => 'La valeur du champ :attribute est déjà utilisée.',
'uploaded' => 'Le fichier du champ :attribute n\'a pu être téléversé.',
'uppercase' => 'The :attribute must be uppercase.',
'url' => 'Le format de l\'URL de :attribute n\'est pas valide.',
'uuid' => 'Le champ :attribute doit être un UUID valide',
);

View File

@@ -201,5 +201,405 @@
"You may delete any of your existing tokens if they are no longer needed.": "Možete ukloniti bilo koji od postojećih tokena ako ih više ne trebate.", "You may delete any of your existing tokens if they are no longer needed.": "Možete ukloniti bilo koji od postojećih tokena ako ih više ne trebate.",
"You may not delete your personal team.": "Nemate pravo izbrisati svoj osobni tim.", "You may not delete your personal team.": "Nemate pravo izbrisati svoj osobni tim.",
"You may not leave a team that you created.": "Ne možete napustiti tim koji ste stvorili.", "You may not leave a team that you created.": "Ne možete napustiti tim koji ste stvorili.",
"Your email address is unverified.": "Vaša e-mail adresa nije potvrđena." "Your email address is unverified.": "Vaša e-mail adresa nije potvrđena.",
"Book": "",
"Article": "",
"Markdown Article": "",
"Youtube Video": "",
"Vimeo Video": "",
"Podcast Episode": "",
"Downloadable File": "",
"Bitcoin Events": "",
"Country": "",
"Title": "",
"From": "",
"To": "",
"Venue": "",
"Link": "",
"No bookcases found in the radius of 5km": "",
"City": "",
"Search City": "",
"Search Venue": "",
"Course": "",
"Search Course": "",
"Type": "",
"Lecturer": "",
"Actions": "",
"Meetup": "",
"Location": "",
"Start": "",
"Links": "",
"Bookcase": "",
"Created by: :name": "",
"Logo": "",
"Show worldwide": "",
"If checked, the event will be shown everywhere.": "",
"Description": "",
"Created By": "",
"Book Case": "",
"Latitude": "",
"Longitude": "",
"Address": "",
"Open": "",
"Comment": "",
"Contact": "",
"Bcz": "",
"Digital": "",
"Icontype": "",
"Deactivated": "",
"Deactreason": "",
"Entrytype": "",
"Homepage": "",
"OrangePills": "",
"Comments": "",
"Slug": "",
"Courses": "",
"Country: :name": "",
"Venues": "",
"Course Events": "",
"Meetups": "",
"Commentator": "",
"Original text": "",
"Show": "",
"Status": "",
"Created at": "",
"Code: :code": "",
"English name": "",
"Languages": "",
"Cities": "",
"Main picture": "",
"Images": "",
"Upload images here to insert them later in the Markdown Description. But you have to save before.": "",
"Tags": "",
"Markdown is allowed. You can paste images from the \"Images\" field here. Use the link icon of the images for the urls after clicking \"Update and continue\".": "",
"Select here the lecturer who holds the course. If the lecturer is not in the list, create it first under \"Lecturers\".": "",
"Categories": "",
"Course Event": "",
"Image": "",
"Data": "",
"Podcast": "",
"Lecturer\/Content Creator": "",
"Library": "",
"Is public": "",
"Library Item": "",
"Language Code": "",
"Value": "",
"Episode": "",
"Meetup Event": "",
"Locked": "",
"Episodes": "",
"Users": "",
"City: :name": "",
"Street": "",
"Locations": "",
"MIT License": "",
"nova-spatie-permissions::lang.display_names\": \"": "",
"Please copy your new API token. For your security, it won\\'t be shown again.": "",
"Back to the website": "",
"I want to submit new courses on this platform": "",
"Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn\\'t receive the email, we will gladly send you another.": "",
"💊 Orange Pill Now": "",
"Details": "",
"no bitcoin books yet": "",
"Perimeter search course date :name (100km)": "",
"Perimeter search bookcase :name (5km)": "",
"Show dates": "",
"Show content": "",
"Download": "",
"Listen": "",
"Calendar Stream Url copied!": "",
"Paste the calendar stream link into a compatible calendar app.": "",
"Calendar Stream-Url": "",
"URL copied!": "",
"Copy": "",
"Email login": "",
"Email registration": "",
"Zeus bug:": "",
"Bookcases": "",
"Search out a public bookcase": "",
"Built with ❤️ by our team.": "",
"Github": "",
"Wish List\/Feedback": "",
"Translate (:lang :percent%)": "",
"Back to the overview": "",
"Lecturers": "",
"Events": "",
"Library for lecturers": "",
"City search": "",
"World map": "",
"Meetup dates": "",
"Change country": "",
"Change language": "",
"Registration": "",
"Choose your city, search for courses in the surrounding area and select a topic that suits you.": "",
"Content": "",
"Choose a topic that is right for you.": "",
"Search": "",
"Dates": "",
"Einundzwanzig": "",
"Bitcoin Portal": "",
"A Bitcoin community for all.": "",
"Plebs together strong": "",
"Education": "",
"Worldwide": "",
"Reading": "",
"School": "",
"Find Bitcoin courses in your city": "",
"👇 Find a course 👇": "",
"Select a tab": "",
"Lecturer Libraries": "",
"Libraries": "",
"Creator": "",
"Contents": "",
"Calendar Stream-Url for all meetup events": "",
"Bitcoiner": "",
"Plebs together strong 💪": "",
"Bitcoiner Meetups are a great way to meet other Bitcoiners in your area. You can learn from each other, share ideas, and have fun!": "",
"Orange Pill Book Case": "",
"So far here were": "",
"On :asDateTime :name has added :amount Bitcoin books.": "",
"Number of books": "",
"How many bitcoin books have you put in?": "",
"Date": "",
"When did you put bitcoin books in?": "",
"For example, what books you put in.": "",
"Von": "",
"Bis": "",
"Link to the registration": "",
"Submit Meetup": "",
"Register Meetup date": "",
"Register lecturer": "",
"Register course": "",
"Register course date": "",
"Submit contents": "",
"Register event": "",
"My profile": "",
"When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone\\'s Google Authenticator application.": "",
"To finish enabling two factor authentication, scan the following QR code using your phone\\'s authenticator application or enter the setup key and provide the generated OTP code.": "",
"Two factor authentication is now enabled. Scan the following QR code using your phone\\'s authenticator application or enter the setup key.": "",
"Update your account\\'s profile information and email address.": "",
"Timezone": "",
"The team\\'s name and owner information.": "",
"You can use <a href=\"https:\/\/spatie.be\/markdown\" target=\"_blank\" rel=\"nofollow noopener noreferrer\">Markdown<\/a>": "",
"Unsubscribe from receive notification about :commentableName": "",
"The comment has been approved.": "",
"Do you want to approve the comment?": "",
"Approve": "",
"The comment has been rejected.": "",
"Do you want to reject the comment?": "",
"You have been unsubscribed.": "",
"You have been unsubscribed from every comment notification.": "",
"Do you want to unsubscribe from every comment notification?": "",
"Do you want to unsubscribe?": "",
"Dismiss": "",
"close": "",
"Rotate -90": "",
"Rotate +90": "",
"Update": "",
"Add New \".concat(e)):this.__(\"Upload New \".concat(e))},mustCrop:function(){return\"mustCrop\"in this.field&&this.field.mustCrop}},watch:{modelValue:function(e){this.images=e||[]},images:function(e,t){this.queueNewImages(e,t),this.$emit(\"update:modelValue": "",
"Maximum file size is :amount MB": "",
"File type must be: :types": "",
"Uploading": "",
"Do you really want to leave? You have unsaved changes.": "",
"*": "",
"Select": "",
"Existing Media": "",
"Search by name or file name": "",
"No results found": "",
"Load Next Page": "",
"Add Existing \".concat(e)):this.__(\"Use Existing \".concat(e))}},methods:{setInitialValue:function(){var e=this.field.value||[];this.field.multiple||(e=e.slice(0,1)),this.value=e,this.hasSetInitialValue=!0},fill:function(e){var t=this,n=this.field.attribute;this.value.forEach((function(r,i){var o,a,s;!r.id?r.isVaporUpload?(e.append(\"__media__[\".concat(n,\"][": "",
"nova-spatie-permissions::lang.display_names.'.$this->name);\n\t\t\t})->canSee(function (){\n\t\t\t\treturn is_array(__('nova-spatie-permissions::lang.display_names": "",
"This will go in the JSON array": "",
"This will also go in the JSON array": "",
"trans": "",
"Go Home": "",
"Whoops": "",
"We're lost in space. The page you were trying to view does not exist.": "",
"Hold Up!": "",
"The government won't let us show you what's behind these doors": "",
":-(": "",
"Nova experienced an unrecoverable error.": "",
"Toggle Collapsed": "",
"This resource no longer exists": "",
":resource Details: :title": "",
"Soft Deleted": "",
"View": "",
"Edit": "",
"The resource was attached!": "",
"Attach :resource": "",
"No additional information...": "",
"Choose :resource": "",
"Attach & Attach Another": "",
"The resource was updated!": "",
"Update attached :resource: :title": "",
"Choose :field": "",
"Update & Continue Editing": "",
"Update :resource": "",
"Toggle Sidebar": "",
"Close Sidebar": "",
"Sorry, your session has expired.": "",
"Reload": "",
"There was a problem executing the action.": "",
"The action was executed successfully.": "",
"There was a problem submitting the form.": "",
"Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "",
"Standalone Actions": "",
"Select Action": "",
"Stop Polling": "",
"Start Polling": "",
"Show Cards": "",
"Hide Cards": "",
"The HasOne relationship has already been filled.": "",
"The HasOneThrough relationship has already been filled.": "",
"The :resource was created!": "",
"Create :resource": "",
"Create & Add Another": "",
"Attach": "",
"Restore Selected": "",
"Force Delete Selected": "",
"Trash Dropdown": "",
"Force Delete Resource": "",
"Are you sure you want to force delete the selected resources?": "",
"The :resource was deleted!": "",
"The :resource was restored!": "",
"Replicate": "",
"Impersonate": "",
"Delete Resource": "",
"Restore Resource": "",
"Resource Row Dropdown": "",
"Preview": "",
"Select this page": "",
"Select all": "",
"Select All Dropdown": "",
"Light": "",
"Dark": "",
"System": "",
"Hide Content": "",
"Show Content": "",
"Reset Filters": "",
"With Trashed": "",
"Only Trashed": "",
"Trashed": "",
"Per Page": "",
"Filter Dropdown": "",
"Choose date": "",
"—": "",
"Press \/ to search": "",
"No Results Found.": "",
"No :resource matched the given criteria.": "",
"Failed to load :resource!": "",
"Click to choose": "",
"Lens Dropdown": "",
"Unregistered": "",
"total": "",
"Select Ranges": "",
"No Increase": "",
"No Prior Data": "",
"No Current Data": "",
"No Data": "",
"Delete File": "",
"Are you sure you want to delete this file?": "",
"Are you sure you want to \"+o.mode+\" the selected resources?": "",
"Previewing": "",
"View :resource": "",
"There are no fields to display.": "",
"Are you sure you want to restore the selected resources?": "",
"Restore": "",
"Are you sure you want to delete this notification?": "",
"Notifications": "",
"Mark all as Read": "",
"There are no new notifications.": "",
"Load :perPage More": "",
"All resources loaded.": "",
":amount Total": "",
"Previous": "",
"Next": "",
"Copy to clipboard": "",
"There's nothing configured to show here.": "",
"Selected Resources": "",
"Controls": "",
"Select Resource :title": "",
"Edit Attached": "",
"Are you sure you want to restore this resource?": "",
"Show more": "",
"Are you sure you want to log out?": "",
"Are you sure you want to stop impersonating?": "",
"Nova User": "",
"Stop Impersonating": "",
":name's Avatar": "",
"Something went wrong.": "",
"Yes": "",
"No": "",
"Show All Fields": "",
"End": "",
"Min": "",
"Max": "",
"Sorry! You are not authorized to perform this action.": "",
"The file was deleted!": "",
"There was a problem fetching the resource.": "",
"Write": "",
"Choose Type": "",
"There are no available options for this resource.": "",
"Choose": "",
"Choose an option": "",
"Customize": "",
"An error occurred while uploading the file.": "",
"Refresh": "",
"Forgot Password": "",
"Log In": "",
"Welcome Back!": "",
"The :resource was updated!": "",
"Update :resource: :title": "",
"Choose Files": "",
"Choose File": "",
"Drop files or click to choose": "",
"Drop file or click to choose": "",
"Choose a file": "",
"&mdash;": "",
"The image could not be loaded.": "",
":name\\\\'s Avatar": "",
"taylorotwell": "",
"Laravel Nova": "",
"Laravel Nova :version": "",
"Are you sure you want to ' + mode + ' the selected resources?": "",
":name\\'s Avatar": "",
"ID": "",
"Action Name": "",
"Action Initiated By": "",
"Action Target": "",
"Action Status": "",
"Waiting": "",
"Running": "",
"Failed": "",
"Original": "",
"Changes": "",
"Exception": "",
"Action Happened At": "",
"Action": "",
"CSV (.csv)": "",
"Excel (.xlsx)": "",
"Filename": "",
"30 Days": "",
"60 Days": "",
"90 Days": "",
"365 Days": "",
"Today": "",
"Month To Date": "",
"Quarter To Date": "",
"Year To Date": "",
"Unable to find Resource for model [:model].": "",
"The resource was prevented from being saved!": "",
"Loading": "",
"Finished": "",
"Key": "",
"Add row": "",
"Resources": "",
"Dashboards": "",
"Replicate :resource": "",
"time": "",
"All Columns": "",
"All": "",
"N\/A": "",
"Add tags...": "",
"Add tag...": ""
} }

View File

@@ -0,0 +1,11 @@
<?php
return array (
'' =>
array (
'' =>
array (
'' => '',
),
),
);

View File

@@ -1,9 +1,7 @@
<?php <?php
declare(strict_types=1); return array (
'failed' => 'Ovi podaci ne odgovaraju našima.',
return [ 'password' => 'Lozinka je pogrešna.',
'failed' => 'Ovi podaci ne odgovaraju našima.', 'throttle' => 'Previše pokušaja prijave. Molim Vas pokušajte ponovno za :seconds sekundi.',
'password' => 'Lozinka je pogrešna.', );
'throttle' => 'Previše pokušaja prijave. Molim Vas pokušajte ponovno za :seconds sekundi.',
];

View File

@@ -1,84 +1,82 @@
<?php <?php
declare(strict_types=1); return array (
0 => 'Unknown Error',
return [ 'unknownError' => 'Unknown Error',
'0' => 'Unknown Error', 100 => 'Continue',
'100' => 'Continue', 101 => 'Switching Protocols',
'101' => 'Switching Protocols', 102 => 'Processing',
'102' => 'Processing', 200 => 'OK',
'200' => 'OK', 201 => 'Created',
'201' => 'Created', 202 => 'Accepted',
'202' => 'Accepted', 203 => 'Non-Authoritative Information',
'203' => 'Non-Authoritative Information', 204 => 'No Content',
'204' => 'No Content', 205 => 'Reset Content',
'205' => 'Reset Content', 206 => 'Partial Content',
'206' => 'Partial Content', 207 => 'Multi-Status',
'207' => 'Multi-Status', 208 => 'Already Reported',
'208' => 'Already Reported', 226 => 'IM Used',
'226' => 'IM Used', 300 => 'Multiple Choices',
'300' => 'Multiple Choices', 301 => 'Moved Permanently',
'301' => 'Moved Permanently', 302 => 'Found',
'302' => 'Found', 303 => 'See Other',
'303' => 'See Other', 304 => 'Not Modified',
'304' => 'Not Modified', 305 => 'Use Proxy',
'305' => 'Use Proxy', 307 => 'Temporary Redirect',
'307' => 'Temporary Redirect', 308 => 'Permanent Redirect',
'308' => 'Permanent Redirect', 400 => 'Bad Request',
'400' => 'Bad Request', 401 => 'Unauthorized',
'401' => 'Unauthorized', 402 => 'Payment Required',
'402' => 'Payment Required', 403 => 'Forbidden',
'403' => 'Forbidden', 404 => 'Not Found',
'404' => 'Not Found', 405 => 'Method Not Allowed',
'405' => 'Method Not Allowed', 406 => 'Not Acceptable',
'406' => 'Not Acceptable', 407 => 'Proxy Authentication Required',
'407' => 'Proxy Authentication Required', 408 => 'Request Timeout',
'408' => 'Request Timeout', 409 => 'Conflict',
'409' => 'Conflict', 410 => 'Gone',
'410' => 'Gone', 411 => 'Length Required',
'411' => 'Length Required', 412 => 'Precondition Failed',
'412' => 'Precondition Failed', 413 => 'Payload Too Large',
'413' => 'Payload Too Large', 414 => 'URI Too Long',
'414' => 'URI Too Long', 415 => 'Unsupported Media Type',
'415' => 'Unsupported Media Type', 416 => 'Range Not Satisfiable',
'416' => 'Range Not Satisfiable', 417 => 'Expectation Failed',
'417' => 'Expectation Failed', 418 => 'I\'m a teapot',
'418' => 'I\'m a teapot', 419 => 'Session Has Expired',
'419' => 'Session Has Expired', 421 => 'Misdirected Request',
'421' => 'Misdirected Request', 422 => 'Unprocessable Entity',
'422' => 'Unprocessable Entity', 423 => 'Locked',
'423' => 'Locked', 424 => 'Failed Dependency',
'424' => 'Failed Dependency', 425 => 'Too Early',
'425' => 'Too Early', 426 => 'Upgrade Required',
'426' => 'Upgrade Required', 428 => 'Precondition Required',
'428' => 'Precondition Required', 429 => 'Too Many Requests',
'429' => 'Too Many Requests', 431 => 'Request Header Fields Too Large',
'431' => 'Request Header Fields Too Large', 444 => 'Connection Closed Without Response',
'444' => 'Connection Closed Without Response', 449 => 'Retry With',
'449' => 'Retry With', 451 => 'Unavailable For Legal Reasons',
'451' => 'Unavailable For Legal Reasons', 499 => 'Client Closed Request',
'499' => 'Client Closed Request', 500 => 'Internal Server Error',
'500' => 'Internal Server Error', 501 => 'Not Implemented',
'501' => 'Not Implemented', 502 => 'Bad Gateway',
'502' => 'Bad Gateway', 503 => 'Maintenance Mode',
'503' => 'Maintenance Mode', 504 => 'Gateway Timeout',
'504' => 'Gateway Timeout', 505 => 'HTTP Version Not Supported',
'505' => 'HTTP Version Not Supported', 506 => 'Variant Also Negotiates',
'506' => 'Variant Also Negotiates', 507 => 'Insufficient Storage',
'507' => 'Insufficient Storage', 508 => 'Loop Detected',
'508' => 'Loop Detected', 509 => 'Bandwidth Limit Exceeded',
'509' => 'Bandwidth Limit Exceeded', 510 => 'Not Extended',
'510' => 'Not Extended', 511 => 'Network Authentication Required',
'511' => 'Network Authentication Required', 520 => 'Unknown Error',
'520' => 'Unknown Error', 521 => 'Web Server is Down',
'521' => 'Web Server is Down', 522 => 'Connection Timed Out',
'522' => 'Connection Timed Out', 523 => 'Origin Is Unreachable',
'523' => 'Origin Is Unreachable', 524 => 'A Timeout Occurred',
'524' => 'A Timeout Occurred', 525 => 'SSL Handshake Failed',
'525' => 'SSL Handshake Failed', 526 => 'Invalid SSL Certificate',
'526' => 'Invalid SSL Certificate', 527 => 'Railgun Error',
'527' => 'Railgun Error', 598 => 'Network Read Timeout Error',
'598' => 'Network Read Timeout Error', 599 => 'Network Connect Timeout Error',
'599' => 'Network Connect Timeout Error', );
'unknownError' => 'Unknown Error',
];

View File

@@ -1,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
'next' => 'Sljedeća &raquo;',
return [ 'previous' => '&laquo; Prethodna',
'next' => 'Sljedeća &raquo;', );
'previous' => '&laquo; Prethodna',
];

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
'reset' => 'Lozinka je ponovno postavljena!',
return [ 'sent' => 'E-mail sa poveznicom za ponovno postavljanje lozinke je poslan!',
'reset' => 'Lozinka je ponovno postavljena!', 'throttled' => 'Molimo pričekajte prije ponovnog pokušaja!',
'sent' => 'E-mail sa poveznicom za ponovno postavljanje lozinke je poslan!', 'token' => 'Oznaka za ponovno postavljanje lozinke više nije važeća.',
'throttled' => 'Molimo pričekajte prije ponovnog pokušaja!', 'user' => 'Korisnik s navedenom e-mail adresom nije pronađen.',
'token' => 'Oznaka za ponovno postavljanje lozinke više nije važeća.', );
'user' => 'Korisnik s navedenom e-mail adresom nije pronađen.',
];

View File

@@ -0,0 +1,6 @@
<?php
return array (
'first_match' => '',
'third_match' => '',
);

View File

@@ -1,210 +1,218 @@
<?php <?php
declare(strict_types=1); return array (
'accepted' => 'Polje :attribute mora biti prihvaćeno.',
return [ 'accepted_if' => 'Polje :attribute mora biti prihvaćeno kada je :other jednako :value.',
'accepted' => 'Polje :attribute mora biti prihvaćeno.', 'active_url' => 'Polje :attribute nije ispravan URL.',
'accepted_if' => 'Polje :attribute mora biti prihvaćeno kada je :other jednako :value.', 'after' => 'Polje :attribute mora biti datum nakon :date.',
'active_url' => 'Polje :attribute nije ispravan URL.', 'after_or_equal' => 'Polje :attribute mora biti datum veći ili jednak :date.',
'after' => 'Polje :attribute mora biti datum nakon :date.', 'alpha' => 'Polje :attribute smije sadržavati samo slova.',
'after_or_equal' => 'Polje :attribute mora biti datum veći ili jednak :date.', 'alpha_dash' => 'Polje :attribute smije sadržavati samo slova, brojeve i crtice.',
'alpha' => 'Polje :attribute smije sadržavati samo slova.', 'alpha_num' => 'Polje :attribute smije sadržavati samo slova i brojeve.',
'alpha_dash' => 'Polje :attribute smije sadržavati samo slova, brojeve i crtice.', 'array' => 'Polje :attribute mora biti niz.',
'alpha_num' => 'Polje :attribute smije sadržavati samo slova i brojeve.', 'attached' => 'Polje :attribute je već prikvačeno.',
'array' => 'Polje :attribute mora biti niz.', 'attributes' =>
'attached' => 'Polje :attribute je već prikvačeno.', array (
'before' => 'Polje :attribute mora biti datum prije :date.', 'address' => 'adresa',
'before_or_equal' => 'Polje :attribute mora biti datum manji ili jednak :date.', 'age' => 'dob',
'between' => [ 'amount' => 'iznos',
'array' => 'Polje :attribute mora imati između :min - :max stavki.', 'area' => 'površina',
'file' => 'Polje :attribute mora biti između :min - :max kilobajta.', 'available' => 'dostupno',
'numeric' => 'Polje :attribute mora biti između :min - :max.', 'birthday' => 'rođendan',
'string' => 'Polje :attribute mora biti između :min - :max znakova.', 'body' => 'tijelo',
], 'city' => 'grad',
'boolean' => 'Polje :attribute mora biti false ili true.', 'content' => 'sadržaj',
'confirmed' => 'Potvrda polja :attribute se ne podudara.', 'country' => 'država',
'current_password' => 'Lozinka nije ispravna.', 'created_at' => 'kreirano',
'date' => 'Polje :attribute nije ispravan datum.', 'creator' => 'autor',
'date_equals' => 'Stavka :attribute mora biti jednaka :date.', 'current_password' => 'trenutna lozinka',
'date_format' => 'Polje :attribute ne podudara s formatom :format.', 'date' => 'datum',
'declined' => 'Polje :attribute mora biti odbijeno.', 'date_of_birth' => 'datum rođenja',
'declined_if' => 'Polje :attribute mora biti odbijeno kada je :other jednako :value.', 'day' => 'dan',
'different' => 'Polja :attribute i :other moraju biti različita.', 'deleted_at' => 'obrisano',
'digits' => 'Polje :attribute mora sadržavati :digits znamenki.', 'description' => 'opis',
'digits_between' => 'Polje :attribute mora imati između :min i :max znamenki.', 'district' => 'općina',
'dimensions' => 'Polje :attribute ima neispravne dimenzije slike.', 'duration' => 'trajanje',
'distinct' => 'Polje :attribute ima dupliciranu vrijednost.', 'email' => 'email',
'doesnt_end_with' => 'Polje :attribute ne smije završavati s jednom od sljedećih vrijednosti: :values.', 'excerpt' => 'izdvojeno',
'doesnt_start_with' => 'Polje :attribute ne smije počinjati s jednom od sljedećih vrijednosti: :values.', 'filter' => 'filter',
'email' => 'Polje :attribute mora biti ispravna e-mail adresa.', 'first_name' => 'ime',
'ends_with' => ':Attribute bi trebao završiti s jednim od sljedećih: :values.', 'gender' => 'spol',
'enum' => 'Odabrano polje :attribute nije ispravno.', 'group' => 'grupa',
'exists' => 'Odabrano polje :attribute nije ispravno.', 'hour' => 'sat',
'file' => 'Polje :attribute mora biti datoteka.', 'image' => 'slika',
'filled' => 'Polje :attribute je obavezno.', 'last_name' => 'prezime',
'gt' => [ 'lesson' => 'lekcija',
'array' => 'Polje :attribute mora biti veće od :value stavki.', 'line_address_1' => 'adresa',
'file' => 'Polje :attribute mora biti veće od :value kilobajta.', 'line_address_2' => 'dodatak adresi',
'numeric' => 'Polje :attribute mora biti veće od :value.', 'message' => 'poruka',
'string' => 'Polje :attribute mora biti veće od :value karaktera.', 'middle_name' => 'srednje ime',
], 'minute' => 'minuta',
'gte' => [ 'mobile' => 'mobitel',
'array' => 'Polje :attribute mora imati najmanje :value stavki.', 'month' => 'mjesec',
'file' => 'Polje :attribute mora imati najmanje :value kilobajta.', 'name' => 'ime',
'numeric' => 'Polje :attribute mora biti veće ili jednako :value.', 'national_code' => 'Nacionalni kod',
'string' => 'Polje :attribute mora biti veće ili jednako :value znakova.', 'number' => 'broj',
], 'password' => 'lozinka',
'image' => 'Polje :attribute mora biti slika.', 'password_confirmation' => 'potvrda lozinke',
'in' => 'Odabrano polje :attribute nije ispravno.', 'phone' => 'telefon',
'in_array' => 'Polje :attribute ne postoji u :other.', 'photo' => 'fotografija',
'integer' => 'Polje :attribute mora biti broj.', 'postal_code' => 'poštanski broj',
'ip' => 'Polje :attribute mora biti ispravna IP adresa.', 'price' => 'cijena',
'ipv4' => 'Polje :attribute mora biti ispravna IPv4 adresa.', 'province' => 'pokrajina',
'ipv6' => 'Polje :attribute mora biti ispravna IPv6 adresa.', 'recaptcha_response_field' => 'recaptcha polje',
'json' => 'Polje :attribute mora biti ispravan JSON string.', 'remember' => 'zapamti me',
'lowercase' => 'Polje :attribute mora sadržavati samo mala slova.', 'restored_at' => 'vraćeno',
'lt' => [ 'result_text_under_image' => 'tekst rezultata ispod slike',
'array' => 'Polje :attribute mora biti manje od :value stavki.', 'role' => 'uloga',
'file' => 'Polje :attribute mora biti manje od :value kilobajta.', 'second' => 'sekunda',
'numeric' => 'Polje :attribute mora biti manje od :value.', 'sex' => 'spol',
'string' => 'Polje :attribute mora biti manje od :value znakova.', 'short_text' => 'kratak tekst',
], 'size' => 'veličina',
'lte' => [ 'state' => 'država',
'array' => 'Polje :attribute ne smije imati više od :value stavki.', 'street' => 'ulica',
'file' => 'Polje :attribute mora biti manje ili jednako :value kilobajta.', 'student' => 'učenik',
'numeric' => 'Polje :attribute mora biti manje ili jednako :value.', 'subject' => 'predmet',
'string' => 'Polje :attribute mora biti manje ili jednako :value znakova.', 'teacher' => 'učitelj',
], 'terms' => 'uvjeti',
'mac_address' => 'Polje :attribute mora biti ispravna MAC adresa.', 'test_description' => 'testni opis',
'max' => [ 'test_locale' => 'testni jezik',
'array' => 'Polje :attribute ne smije imati više od :max stavki.', 'test_name' => 'testno ime',
'file' => 'Polje :attribute mora biti manje od :max kilobajta.', 'text' => 'tekst',
'numeric' => 'Polje :attribute mora biti manje od :max.', 'time' => 'vrijeme',
'string' => 'Polje :attribute mora sadržavati manje od :max znakova.', 'title' => 'naslov',
], 'updated_at' => 'ažurirano',
'max_digits' => 'Polje :attribute ne smije imati više od :max znamenaka.', 'username' => 'korisničko ime',
'mimes' => 'Polje :attribute mora biti datoteka tipa: :values.', 'year' => 'godina',
'mimetypes' => 'Polje :attribute mora biti datoteka tipa: :values.', ),
'min' => [ 'before' => 'Polje :attribute mora biti datum prije :date.',
'array' => 'Polje :attribute mora sadržavati najmanje :min stavki.', 'before_or_equal' => 'Polje :attribute mora biti datum manji ili jednak :date.',
'file' => 'Polje :attribute mora biti najmanje :min kilobajta.', 'between' =>
'numeric' => 'Polje :attribute mora biti najmanje :min.', array (
'string' => 'Polje :attribute mora sadržavati najmanje :min znakova.', 'array' => 'Polje :attribute mora imati između :min - :max stavki.',
], 'file' => 'Polje :attribute mora biti između :min - :max kilobajta.',
'min_digits' => 'Polje :attribute mora sadržavati najmanje :min znamenaka.', 'numeric' => 'Polje :attribute mora biti između :min - :max.',
'multiple_of' => 'Broj :attribute mora biti višekratnik :value', 'string' => 'Polje :attribute mora biti između :min - :max znakova.',
'not_in' => 'Odabrano polje :attribute nije ispravno.', ),
'not_regex' => 'Format polja :attribute je neispravan.', 'boolean' => 'Polje :attribute mora biti false ili true.',
'numeric' => 'Polje :attribute mora biti broj.', 'confirmed' => 'Potvrda polja :attribute se ne podudara.',
'password' => [ 'current_password' => 'Lozinka nije ispravna.',
'letters' => 'Polje :attribute mora sadržavati najmanje jedno slovo.', 'date' => 'Polje :attribute nije ispravan datum.',
'mixed' => 'Polje :attribute mora sadržavati najmanje jedno veliko i jedno malo slovo.', 'date_equals' => 'Stavka :attribute mora biti jednaka :date.',
'numbers' => 'Polje :attribute mora sadržavati najmanje jedan broj.', 'date_format' => 'Polje :attribute ne podudara s formatom :format.',
'symbols' => 'Polje :attribute mora sadržavati najmanje jedan simbol.', 'declined' => 'Polje :attribute mora biti odbijeno.',
'uncompromised' => 'Vrijednost u :attribute se pojavila u curenju informacija. Molimo vas da odaberete drugu vrijednost za :attribute.', 'declined_if' => 'Polje :attribute mora biti odbijeno kada je :other jednako :value.',
], 'different' => 'Polja :attribute i :other moraju biti različita.',
'present' => 'Polje :attribute mora biti prisutno.', 'digits' => 'Polje :attribute mora sadržavati :digits znamenki.',
'prohibited' => 'Polje :attribute je zabranjeno.', 'digits_between' => 'Polje :attribute mora imati između :min i :max znamenki.',
'prohibited_if' => 'Polje :attribute zabranjeno je kada je :other :value.', 'dimensions' => 'Polje :attribute ima neispravne dimenzije slike.',
'prohibited_unless' => 'Polje :attribute zabranjeno je, osim ako :other nije u :values.', 'distinct' => 'Polje :attribute ima dupliciranu vrijednost.',
'prohibits' => 'Polje :attribute zabranjuje da polje :other bude prisutno.', 'doesnt_end_with' => 'Polje :attribute ne smije završavati s jednom od sljedećih vrijednosti: :values.',
'regex' => 'Polje :attribute se ne podudara s formatom.', 'doesnt_start_with' => 'Polje :attribute ne smije počinjati s jednom od sljedećih vrijednosti: :values.',
'relatable' => 'Polje :attribute se ne može povezati s ovim resursom.', 'email' => 'Polje :attribute mora biti ispravna e-mail adresa.',
'required' => 'Polje :attribute je obavezno.', 'ends_with' => ':Attribute bi trebao završiti s jednim od sljedećih: :values.',
'required_array_keys' => 'Polje :attribute mora sadržavati unose za: :values.', 'enum' => 'Odabrano polje :attribute nije ispravno.',
'required_if' => 'Polje :attribute je obavezno kada polje :other sadrži :value.', 'exists' => 'Odabrano polje :attribute nije ispravno.',
'required_if_accepted' => 'Polje :attribute je obavezno kada je prihvaćeno polje :other.', 'file' => 'Polje :attribute mora biti datoteka.',
'required_unless' => 'Polje :attribute je obavezno osim :other je u :values.', 'filled' => 'Polje :attribute je obavezno.',
'required_with' => 'Polje :attribute je obavezno kada postoji polje :values.', 'gt' =>
'required_with_all' => 'Polje :attribute je obavezno kada postje polja :values.', array (
'required_without' => 'Polje :attribute je obavezno kada ne postoji polje :values.', 'array' => 'Polje :attribute mora biti veće od :value stavki.',
'required_without_all' => 'Polje :attribute je obavezno kada nijedno od polja :values ne postoji.', 'file' => 'Polje :attribute mora biti veće od :value kilobajta.',
'same' => 'Polja :attribute i :other se moraju podudarati.', 'numeric' => 'Polje :attribute mora biti veće od :value.',
'size' => [ 'string' => 'Polje :attribute mora biti veće od :value karaktera.',
'array' => 'Polje :attribute mora sadržavati :size stavki.', ),
'file' => 'Polje :attribute mora biti :size kilobajta.', 'gte' =>
'numeric' => 'Polje :attribute mora biti :size.', array (
'string' => 'Polje :attribute mora biti :size znakova.', 'array' => 'Polje :attribute mora imati najmanje :value stavki.',
], 'file' => 'Polje :attribute mora imati najmanje :value kilobajta.',
'starts_with' => 'Stavka :attribute mora započinjati jednom od narednih stavki: :values', 'numeric' => 'Polje :attribute mora biti veće ili jednako :value.',
'string' => 'Polje :attribute mora biti riječ.', 'string' => 'Polje :attribute mora biti veće ili jednako :value znakova.',
'timezone' => 'Polje :attribute mora biti ispravna vremenska zona.', ),
'unique' => 'Polje :attribute već postoji.', 'image' => 'Polje :attribute mora biti slika.',
'uploaded' => 'Polje :attribute nije uspešno učitano.', 'in' => 'Odabrano polje :attribute nije ispravno.',
'uppercase' => 'The :attribute must be uppercase.', 'in_array' => 'Polje :attribute ne postoji u :other.',
'url' => 'Polje :attribute mora biti ispravan URL.', 'integer' => 'Polje :attribute mora biti broj.',
'uuid' => 'Stavka :attribute mora biti valjani UUID.', 'ip' => 'Polje :attribute mora biti ispravna IP adresa.',
'attributes' => [ 'ipv4' => 'Polje :attribute mora biti ispravna IPv4 adresa.',
'address' => 'adresa', 'ipv6' => 'Polje :attribute mora biti ispravna IPv6 adresa.',
'age' => 'dob', 'json' => 'Polje :attribute mora biti ispravan JSON string.',
'amount' => 'iznos', 'lowercase' => 'Polje :attribute mora sadržavati samo mala slova.',
'area' => 'površina', 'lt' =>
'available' => 'dostupno', array (
'birthday' => 'rođendan', 'array' => 'Polje :attribute mora biti manje od :value stavki.',
'body' => 'tijelo', 'file' => 'Polje :attribute mora biti manje od :value kilobajta.',
'city' => 'grad', 'numeric' => 'Polje :attribute mora biti manje od :value.',
'content' => 'sadržaj', 'string' => 'Polje :attribute mora biti manje od :value znakova.',
'country' => 'država', ),
'created_at' => 'kreirano', 'lte' =>
'creator' => 'autor', array (
'current_password' => 'trenutna lozinka', 'array' => 'Polje :attribute ne smije imati više od :value stavki.',
'date' => 'datum', 'file' => 'Polje :attribute mora biti manje ili jednako :value kilobajta.',
'date_of_birth' => 'datum rođenja', 'numeric' => 'Polje :attribute mora biti manje ili jednako :value.',
'day' => 'dan', 'string' => 'Polje :attribute mora biti manje ili jednako :value znakova.',
'deleted_at' => 'obrisano', ),
'description' => 'opis', 'mac_address' => 'Polje :attribute mora biti ispravna MAC adresa.',
'district' => 'općina', 'max' =>
'duration' => 'trajanje', array (
'email' => 'email', 'array' => 'Polje :attribute ne smije imati više od :max stavki.',
'excerpt' => 'izdvojeno', 'file' => 'Polje :attribute mora biti manje od :max kilobajta.',
'filter' => 'filter', 'numeric' => 'Polje :attribute mora biti manje od :max.',
'first_name' => 'ime', 'string' => 'Polje :attribute mora sadržavati manje od :max znakova.',
'gender' => 'spol', ),
'group' => 'grupa', 'max_digits' => 'Polje :attribute ne smije imati više od :max znamenaka.',
'hour' => 'sat', 'mimes' => 'Polje :attribute mora biti datoteka tipa: :values.',
'image' => 'slika', 'mimetypes' => 'Polje :attribute mora biti datoteka tipa: :values.',
'last_name' => 'prezime', 'min' =>
'lesson' => 'lekcija', array (
'line_address_1' => 'adresa', 'array' => 'Polje :attribute mora sadržavati najmanje :min stavki.',
'line_address_2' => 'dodatak adresi', 'file' => 'Polje :attribute mora biti najmanje :min kilobajta.',
'message' => 'poruka', 'numeric' => 'Polje :attribute mora biti najmanje :min.',
'middle_name' => 'srednje ime', 'string' => 'Polje :attribute mora sadržavati najmanje :min znakova.',
'minute' => 'minuta', ),
'mobile' => 'mobitel', 'min_digits' => 'Polje :attribute mora sadržavati najmanje :min znamenaka.',
'month' => 'mjesec', 'multiple_of' => 'Broj :attribute mora biti višekratnik :value',
'name' => 'ime', 'not_in' => 'Odabrano polje :attribute nije ispravno.',
'national_code' => 'Nacionalni kod', 'not_regex' => 'Format polja :attribute je neispravan.',
'number' => 'broj', 'numeric' => 'Polje :attribute mora biti broj.',
'password' => 'lozinka', 'password' =>
'password_confirmation' => 'potvrda lozinke', array (
'phone' => 'telefon', 'letters' => 'Polje :attribute mora sadržavati najmanje jedno slovo.',
'photo' => 'fotografija', 'mixed' => 'Polje :attribute mora sadržavati najmanje jedno veliko i jedno malo slovo.',
'postal_code' => 'poštanski broj', 'numbers' => 'Polje :attribute mora sadržavati najmanje jedan broj.',
'price' => 'cijena', 'symbols' => 'Polje :attribute mora sadržavati najmanje jedan simbol.',
'province' => 'pokrajina', 'uncompromised' => 'Vrijednost u :attribute se pojavila u curenju informacija. Molimo vas da odaberete drugu vrijednost za :attribute.',
'recaptcha_response_field' => 'recaptcha polje', ),
'remember' => 'zapamti me', 'present' => 'Polje :attribute mora biti prisutno.',
'restored_at' => 'vraćeno', 'prohibited' => 'Polje :attribute je zabranjeno.',
'result_text_under_image' => 'tekst rezultata ispod slike', 'prohibited_if' => 'Polje :attribute zabranjeno je kada je :other :value.',
'role' => 'uloga', 'prohibited_unless' => 'Polje :attribute zabranjeno je, osim ako :other nije u :values.',
'second' => 'sekunda', 'prohibits' => 'Polje :attribute zabranjuje da polje :other bude prisutno.',
'sex' => 'spol', 'regex' => 'Polje :attribute se ne podudara s formatom.',
'short_text' => 'kratak tekst', 'relatable' => 'Polje :attribute se ne može povezati s ovim resursom.',
'size' => 'veličina', 'required' => 'Polje :attribute je obavezno.',
'state' => 'država', 'required_array_keys' => 'Polje :attribute mora sadržavati unose za: :values.',
'street' => 'ulica', 'required_if' => 'Polje :attribute je obavezno kada polje :other sadrži :value.',
'student' => 'učenik', 'required_if_accepted' => 'Polje :attribute je obavezno kada je prihvaćeno polje :other.',
'subject' => 'predmet', 'required_unless' => 'Polje :attribute je obavezno osim :other je u :values.',
'teacher' => 'učitelj', 'required_with' => 'Polje :attribute je obavezno kada postoji polje :values.',
'terms' => 'uvjeti', 'required_with_all' => 'Polje :attribute je obavezno kada postje polja :values.',
'test_description' => 'testni opis', 'required_without' => 'Polje :attribute je obavezno kada ne postoji polje :values.',
'test_locale' => 'testni jezik', 'required_without_all' => 'Polje :attribute je obavezno kada nijedno od polja :values ne postoji.',
'test_name' => 'testno ime', 'same' => 'Polja :attribute i :other se moraju podudarati.',
'text' => 'tekst', 'size' =>
'time' => 'vrijeme', array (
'title' => 'naslov', 'array' => 'Polje :attribute mora sadržavati :size stavki.',
'updated_at' => 'ažurirano', 'file' => 'Polje :attribute mora biti :size kilobajta.',
'username' => 'korisničko ime', 'numeric' => 'Polje :attribute mora biti :size.',
'year' => 'godina', 'string' => 'Polje :attribute mora biti :size znakova.',
], ),
]; 'starts_with' => 'Stavka :attribute mora započinjati jednom od narednih stavki: :values',
'string' => 'Polje :attribute mora biti riječ.',
'timezone' => 'Polje :attribute mora biti ispravna vremenska zona.',
'unique' => 'Polje :attribute već postoji.',
'uploaded' => 'Polje :attribute nije uspešno učitano.',
'uppercase' => 'The :attribute must be uppercase.',
'url' => 'Polje :attribute mora biti ispravan URL.',
'uuid' => 'Stavka :attribute mora biti valjani UUID.',
);

View File

@@ -201,5 +201,405 @@
"You may delete any of your existing tokens if they are no longer needed.": "Puoi eliminare tutti i tuoi token esistenti se non sono più necessari.", "You may delete any of your existing tokens if they are no longer needed.": "Puoi eliminare tutti i tuoi token esistenti se non sono più necessari.",
"You may not delete your personal team.": "Non puoi eliminare il tuo team personale.", "You may not delete your personal team.": "Non puoi eliminare il tuo team personale.",
"You may not leave a team that you created.": "Non puoi abbandonare un team che hai creato.", "You may not leave a team that you created.": "Non puoi abbandonare un team che hai creato.",
"Your email address is unverified.": "Il tuo indirizzo email non è verificato." "Your email address is unverified.": "Il tuo indirizzo email non è verificato.",
"Book": "",
"Article": "",
"Markdown Article": "",
"Youtube Video": "",
"Vimeo Video": "",
"Podcast Episode": "",
"Downloadable File": "",
"Bitcoin Events": "",
"Country": "",
"Title": "",
"From": "",
"To": "",
"Venue": "",
"Link": "",
"No bookcases found in the radius of 5km": "",
"City": "",
"Search City": "",
"Search Venue": "",
"Course": "",
"Search Course": "",
"Type": "",
"Lecturer": "",
"Actions": "",
"Meetup": "",
"Location": "",
"Start": "",
"Links": "",
"Bookcase": "",
"Created by: :name": "",
"Logo": "",
"Show worldwide": "",
"If checked, the event will be shown everywhere.": "",
"Description": "",
"Created By": "",
"Book Case": "",
"Latitude": "",
"Longitude": "",
"Address": "",
"Open": "",
"Comment": "",
"Contact": "",
"Bcz": "",
"Digital": "",
"Icontype": "",
"Deactivated": "",
"Deactreason": "",
"Entrytype": "",
"Homepage": "",
"OrangePills": "",
"Comments": "",
"Slug": "",
"Courses": "",
"Country: :name": "",
"Venues": "",
"Course Events": "",
"Meetups": "",
"Commentator": "",
"Original text": "",
"Show": "",
"Status": "",
"Created at": "",
"Code: :code": "",
"English name": "",
"Languages": "",
"Cities": "",
"Main picture": "",
"Images": "",
"Upload images here to insert them later in the Markdown Description. But you have to save before.": "",
"Tags": "",
"Markdown is allowed. You can paste images from the \"Images\" field here. Use the link icon of the images for the urls after clicking \"Update and continue\".": "",
"Select here the lecturer who holds the course. If the lecturer is not in the list, create it first under \"Lecturers\".": "",
"Categories": "",
"Course Event": "",
"Image": "",
"Data": "",
"Podcast": "",
"Lecturer\/Content Creator": "",
"Library": "",
"Is public": "",
"Library Item": "",
"Language Code": "",
"Value": "",
"Episode": "",
"Meetup Event": "",
"Locked": "",
"Episodes": "",
"Users": "",
"City: :name": "",
"Street": "",
"Locations": "",
"MIT License": "",
"nova-spatie-permissions::lang.display_names\": \"": "",
"Please copy your new API token. For your security, it won\\'t be shown again.": "",
"Back to the website": "",
"I want to submit new courses on this platform": "",
"Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn\\'t receive the email, we will gladly send you another.": "",
"💊 Orange Pill Now": "",
"Details": "",
"no bitcoin books yet": "",
"Perimeter search course date :name (100km)": "",
"Perimeter search bookcase :name (5km)": "",
"Show dates": "",
"Show content": "",
"Download": "",
"Listen": "",
"Calendar Stream Url copied!": "",
"Paste the calendar stream link into a compatible calendar app.": "",
"Calendar Stream-Url": "",
"URL copied!": "",
"Copy": "",
"Email login": "",
"Email registration": "",
"Zeus bug:": "",
"Bookcases": "",
"Search out a public bookcase": "",
"Built with ❤️ by our team.": "",
"Github": "",
"Wish List\/Feedback": "",
"Translate (:lang :percent%)": "",
"Back to the overview": "",
"Lecturers": "",
"Events": "",
"Library for lecturers": "",
"City search": "",
"World map": "",
"Meetup dates": "",
"Change country": "",
"Change language": "",
"Registration": "",
"Choose your city, search for courses in the surrounding area and select a topic that suits you.": "",
"Content": "",
"Choose a topic that is right for you.": "",
"Search": "",
"Dates": "",
"Einundzwanzig": "",
"Bitcoin Portal": "",
"A Bitcoin community for all.": "",
"Plebs together strong": "",
"Education": "",
"Worldwide": "",
"Reading": "",
"School": "",
"Find Bitcoin courses in your city": "",
"👇 Find a course 👇": "",
"Select a tab": "",
"Lecturer Libraries": "",
"Libraries": "",
"Creator": "",
"Contents": "",
"Calendar Stream-Url for all meetup events": "",
"Bitcoiner": "",
"Plebs together strong 💪": "",
"Bitcoiner Meetups are a great way to meet other Bitcoiners in your area. You can learn from each other, share ideas, and have fun!": "",
"Orange Pill Book Case": "",
"So far here were": "",
"On :asDateTime :name has added :amount Bitcoin books.": "",
"Number of books": "",
"How many bitcoin books have you put in?": "",
"Date": "",
"When did you put bitcoin books in?": "",
"For example, what books you put in.": "",
"Von": "",
"Bis": "",
"Link to the registration": "",
"Submit Meetup": "",
"Register Meetup date": "",
"Register lecturer": "",
"Register course": "",
"Register course date": "",
"Submit contents": "",
"Register event": "",
"My profile": "",
"When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone\\'s Google Authenticator application.": "",
"To finish enabling two factor authentication, scan the following QR code using your phone\\'s authenticator application or enter the setup key and provide the generated OTP code.": "",
"Two factor authentication is now enabled. Scan the following QR code using your phone\\'s authenticator application or enter the setup key.": "",
"Update your account\\'s profile information and email address.": "",
"Timezone": "",
"The team\\'s name and owner information.": "",
"You can use <a href=\"https:\/\/spatie.be\/markdown\" target=\"_blank\" rel=\"nofollow noopener noreferrer\">Markdown<\/a>": "",
"Unsubscribe from receive notification about :commentableName": "",
"The comment has been approved.": "",
"Do you want to approve the comment?": "",
"Approve": "",
"The comment has been rejected.": "",
"Do you want to reject the comment?": "",
"You have been unsubscribed.": "",
"You have been unsubscribed from every comment notification.": "",
"Do you want to unsubscribe from every comment notification?": "",
"Do you want to unsubscribe?": "",
"Dismiss": "",
"close": "",
"Rotate -90": "",
"Rotate +90": "",
"Update": "",
"Add New \".concat(e)):this.__(\"Upload New \".concat(e))},mustCrop:function(){return\"mustCrop\"in this.field&&this.field.mustCrop}},watch:{modelValue:function(e){this.images=e||[]},images:function(e,t){this.queueNewImages(e,t),this.$emit(\"update:modelValue": "",
"Maximum file size is :amount MB": "",
"File type must be: :types": "",
"Uploading": "",
"Do you really want to leave? You have unsaved changes.": "",
"*": "",
"Select": "",
"Existing Media": "",
"Search by name or file name": "",
"No results found": "",
"Load Next Page": "",
"Add Existing \".concat(e)):this.__(\"Use Existing \".concat(e))}},methods:{setInitialValue:function(){var e=this.field.value||[];this.field.multiple||(e=e.slice(0,1)),this.value=e,this.hasSetInitialValue=!0},fill:function(e){var t=this,n=this.field.attribute;this.value.forEach((function(r,i){var o,a,s;!r.id?r.isVaporUpload?(e.append(\"__media__[\".concat(n,\"][": "",
"nova-spatie-permissions::lang.display_names.'.$this->name);\n\t\t\t})->canSee(function (){\n\t\t\t\treturn is_array(__('nova-spatie-permissions::lang.display_names": "",
"This will go in the JSON array": "",
"This will also go in the JSON array": "",
"trans": "",
"Go Home": "",
"Whoops": "",
"We're lost in space. The page you were trying to view does not exist.": "",
"Hold Up!": "",
"The government won't let us show you what's behind these doors": "",
":-(": "",
"Nova experienced an unrecoverable error.": "",
"Toggle Collapsed": "",
"This resource no longer exists": "",
":resource Details: :title": "",
"Soft Deleted": "",
"View": "",
"Edit": "",
"The resource was attached!": "",
"Attach :resource": "",
"No additional information...": "",
"Choose :resource": "",
"Attach & Attach Another": "",
"The resource was updated!": "",
"Update attached :resource: :title": "",
"Choose :field": "",
"Update & Continue Editing": "",
"Update :resource": "",
"Toggle Sidebar": "",
"Close Sidebar": "",
"Sorry, your session has expired.": "",
"Reload": "",
"There was a problem executing the action.": "",
"The action was executed successfully.": "",
"There was a problem submitting the form.": "",
"Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "",
"Standalone Actions": "",
"Select Action": "",
"Stop Polling": "",
"Start Polling": "",
"Show Cards": "",
"Hide Cards": "",
"The HasOne relationship has already been filled.": "",
"The HasOneThrough relationship has already been filled.": "",
"The :resource was created!": "",
"Create :resource": "",
"Create & Add Another": "",
"Attach": "",
"Restore Selected": "",
"Force Delete Selected": "",
"Trash Dropdown": "",
"Force Delete Resource": "",
"Are you sure you want to force delete the selected resources?": "",
"The :resource was deleted!": "",
"The :resource was restored!": "",
"Replicate": "",
"Impersonate": "",
"Delete Resource": "",
"Restore Resource": "",
"Resource Row Dropdown": "",
"Preview": "",
"Select this page": "",
"Select all": "",
"Select All Dropdown": "",
"Light": "",
"Dark": "",
"System": "",
"Hide Content": "",
"Show Content": "",
"Reset Filters": "",
"With Trashed": "",
"Only Trashed": "",
"Trashed": "",
"Per Page": "",
"Filter Dropdown": "",
"Choose date": "",
"—": "",
"Press \/ to search": "",
"No Results Found.": "",
"No :resource matched the given criteria.": "",
"Failed to load :resource!": "",
"Click to choose": "",
"Lens Dropdown": "",
"Unregistered": "",
"total": "",
"Select Ranges": "",
"No Increase": "",
"No Prior Data": "",
"No Current Data": "",
"No Data": "",
"Delete File": "",
"Are you sure you want to delete this file?": "",
"Are you sure you want to \"+o.mode+\" the selected resources?": "",
"Previewing": "",
"View :resource": "",
"There are no fields to display.": "",
"Are you sure you want to restore the selected resources?": "",
"Restore": "",
"Are you sure you want to delete this notification?": "",
"Notifications": "",
"Mark all as Read": "",
"There are no new notifications.": "",
"Load :perPage More": "",
"All resources loaded.": "",
":amount Total": "",
"Previous": "",
"Next": "",
"Copy to clipboard": "",
"There's nothing configured to show here.": "",
"Selected Resources": "",
"Controls": "",
"Select Resource :title": "",
"Edit Attached": "",
"Are you sure you want to restore this resource?": "",
"Show more": "",
"Are you sure you want to log out?": "",
"Are you sure you want to stop impersonating?": "",
"Nova User": "",
"Stop Impersonating": "",
":name's Avatar": "",
"Something went wrong.": "",
"Yes": "",
"No": "",
"Show All Fields": "",
"End": "",
"Min": "",
"Max": "",
"Sorry! You are not authorized to perform this action.": "",
"The file was deleted!": "",
"There was a problem fetching the resource.": "",
"Write": "",
"Choose Type": "",
"There are no available options for this resource.": "",
"Choose": "",
"Choose an option": "",
"Customize": "",
"An error occurred while uploading the file.": "",
"Refresh": "",
"Forgot Password": "",
"Log In": "",
"Welcome Back!": "",
"The :resource was updated!": "",
"Update :resource: :title": "",
"Choose Files": "",
"Choose File": "",
"Drop files or click to choose": "",
"Drop file or click to choose": "",
"Choose a file": "",
"&mdash;": "",
"The image could not be loaded.": "",
":name\\\\'s Avatar": "",
"taylorotwell": "",
"Laravel Nova": "",
"Laravel Nova :version": "",
"Are you sure you want to ' + mode + ' the selected resources?": "",
":name\\'s Avatar": "",
"ID": "",
"Action Name": "",
"Action Initiated By": "",
"Action Target": "",
"Action Status": "",
"Waiting": "",
"Running": "",
"Failed": "",
"Original": "",
"Changes": "",
"Exception": "",
"Action Happened At": "",
"Action": "",
"CSV (.csv)": "",
"Excel (.xlsx)": "",
"Filename": "",
"30 Days": "",
"60 Days": "",
"90 Days": "",
"365 Days": "",
"Today": "",
"Month To Date": "",
"Quarter To Date": "",
"Year To Date": "",
"Unable to find Resource for model [:model].": "",
"The resource was prevented from being saved!": "",
"Loading": "",
"Finished": "",
"Key": "",
"Add row": "",
"Resources": "",
"Dashboards": "",
"Replicate :resource": "",
"time": "",
"All Columns": "",
"All": "",
"N\/A": "",
"Add tags...": "",
"Add tag...": ""
} }

View File

@@ -0,0 +1,11 @@
<?php
return array (
'' =>
array (
'' =>
array (
'' => '',
),
),
);

View File

@@ -1,9 +1,7 @@
<?php <?php
declare(strict_types=1); return array (
'failed' => 'Credenziali non valide.',
return [ 'password' => 'Il campo :attribute non è corretto.',
'failed' => 'Credenziali non valide.', 'throttle' => 'Troppi tentativi di accesso. Riprova tra :seconds secondi.',
'password' => 'Il campo :attribute non è corretto.', );
'throttle' => 'Troppi tentativi di accesso. Riprova tra :seconds secondi.',
];

View File

@@ -1,84 +1,82 @@
<?php <?php
declare(strict_types=1); return array (
0 => 'Errore sconosciuto',
return [ 'unknownError' => 'Errore sconosciuto',
'0' => 'Errore sconosciuto', 100 => 'Continua',
'100' => 'Continua', 101 => 'Scambiando protocolli',
'101' => 'Scambiando protocolli', 102 => 'In processo',
'102' => 'In processo', 200 => 'OK',
'200' => 'OK', 201 => 'Creato',
'201' => 'Creato', 202 => 'Accettato',
'202' => 'Accettato', 203 => 'Informazione non autorevole',
'203' => 'Informazione non autorevole', 204 => 'Nessun contenuto',
'204' => 'Nessun contenuto', 205 => 'Resetta il contenuto',
'205' => 'Resetta il contenuto', 206 => 'Contenuto parziale',
'206' => 'Contenuto parziale', 207 => 'Stati multipli',
'207' => 'Stati multipli', 208 => 'Già riportato',
'208' => 'Già riportato', 226 => 'IM utilizzati',
'226' => 'IM utilizzati', 300 => 'Scelte multiple',
'300' => 'Scelte multiple', 301 => 'Trasferito permanentemente',
'301' => 'Trasferito permanentemente', 302 => 'Trovato',
'302' => 'Trovato', 303 => 'Guarda altro',
'303' => 'Guarda altro', 304 => 'Non modificata',
'304' => 'Non modificata', 305 => 'Usa un proxy',
'305' => 'Usa un proxy', 307 => 'Re-indirizzamento temporaneo',
'307' => 'Re-indirizzamento temporaneo', 308 => 'Re-indirizzamento permanente',
'308' => 'Re-indirizzamento permanente', 400 => 'Cattiva richiesta',
'400' => 'Cattiva richiesta', 401 => 'Non autorizzata',
'401' => 'Non autorizzata', 402 => 'Pagamento richiesto',
'402' => 'Pagamento richiesto', 403 => 'Accesso vietato',
'403' => 'Accesso vietato', 404 => 'Pagina non trovata',
'404' => 'Pagina non trovata', 405 => 'Metodo non consentito',
'405' => 'Metodo non consentito', 406 => 'Non accettabile',
'406' => 'Non accettabile', 407 => 'Autenticazione al proxy richiesta',
'407' => 'Autenticazione al proxy richiesta', 408 => 'Tempo scaduto per la richiesta',
'408' => 'Tempo scaduto per la richiesta', 409 => 'Conflitto',
'409' => 'Conflitto', 410 => 'Andata',
'410' => 'Andata', 411 => 'Lunghezza necessaria',
'411' => 'Lunghezza necessaria', 412 => 'Precondizione fallita',
'412' => 'Precondizione fallita', 413 => 'Payload troppo grande',
'413' => 'Payload troppo grande', 414 => 'URI troppo lungo',
'414' => 'URI troppo lungo', 415 => 'Media Type non supportato',
'415' => 'Media Type non supportato', 416 => 'intervallo non soddisfacibile',
'416' => 'intervallo non soddisfacibile', 417 => 'Aspettativa fallita',
'417' => 'Aspettativa fallita', 418 => 'Sono una teiera',
'418' => 'Sono una teiera', 419 => 'Sessione scaduta',
'419' => 'Sessione scaduta', 421 => 'Richiesta mal indirizzata',
'421' => 'Richiesta mal indirizzata', 422 => 'Entità improcessabile',
'422' => 'Entità improcessabile', 423 => 'Bloccata',
'423' => 'Bloccata', 424 => 'Dipendenza fallita',
'424' => 'Dipendenza fallita', 425 => 'Too Early',
'425' => 'Too Early', 426 => 'Aggiornamento richiesto',
'426' => 'Aggiornamento richiesto', 428 => 'Precondizione necessaria',
'428' => 'Precondizione necessaria', 429 => 'Troppe richieste',
'429' => 'Troppe richieste', 431 => 'Campi header della richiesta troppo grandi',
'431' => 'Campi header della richiesta troppo grandi', 444 => 'Connection Closed Without Response',
'444' => 'Connection Closed Without Response', 449 => 'Riprova con',
'449' => 'Riprova con', 451 => 'Non disponibile per motivi legali',
'451' => 'Non disponibile per motivi legali', 499 => 'Client Closed Request',
'499' => 'Client Closed Request', 500 => 'Errore interno al server',
'500' => 'Errore interno al server', 501 => 'Non implementato',
'501' => 'Non implementato', 502 => 'Gateway cattivo',
'502' => 'Gateway cattivo', 503 => 'In manutenzione',
'503' => 'In manutenzione', 504 => 'Tempo scaduto per il gateway',
'504' => 'Tempo scaduto per il gateway', 505 => 'Versione HTTP non supportata',
'505' => 'Versione HTTP non supportata', 506 => 'Variante anche negozia',
'506' => 'Variante anche negozia', 507 => 'Spazio insufficiente',
'507' => 'Spazio insufficiente', 508 => 'Loop identificato',
'508' => 'Loop identificato', 509 => 'Limita di banda superato',
'509' => 'Limita di banda superato', 510 => 'Non esteso',
'510' => 'Non esteso', 511 => 'Autenticazione di rete necessaria',
'511' => 'Autenticazione di rete necessaria', 520 => 'Errore sconosciuto',
'520' => 'Errore sconosciuto', 521 => 'Web server spento',
'521' => 'Web server spento', 522 => 'Tempo scaduto per la connessione',
'522' => 'Tempo scaduto per la connessione', 523 => 'Origine non raggiungibile',
'523' => 'Origine non raggiungibile', 524 => 'Un timeout è avvenuto',
'524' => 'Un timeout è avvenuto', 525 => 'Handshake SSL fallita',
'525' => 'Handshake SSL fallita', 526 => 'Certificato SSL invalido',
'526' => 'Certificato SSL invalido', 527 => 'Railgun Error',
'527' => 'Railgun Error', 598 => 'Network Read Timeout Error',
'598' => 'Network Read Timeout Error', 599 => 'Network Connect Timeout Error',
'599' => 'Network Connect Timeout Error', );
'unknownError' => 'Errore sconosciuto',
];

View File

@@ -1,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
'next' => 'Successivo &raquo;',
return [ 'previous' => '&laquo; Precedente',
'next' => 'Successivo &raquo;', );
'previous' => '&laquo; Precedente',
];

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
'reset' => 'La password è stata reimpostata!',
return [ 'sent' => 'Ti abbiamo inviato una email con il link per il reset della password!',
'reset' => 'La password è stata reimpostata!', 'throttled' => 'Per favore, attendi prima di riprovare.',
'sent' => 'Ti abbiamo inviato una email con il link per il reset della password!', 'token' => 'Questo token di reset della password non è valido.',
'throttled' => 'Per favore, attendi prima di riprovare.', 'user' => 'Non riusciamo a trovare un utente con questo indirizzo email.',
'token' => 'Questo token di reset della password non è valido.', );
'user' => 'Non riusciamo a trovare un utente con questo indirizzo email.',
];

View File

@@ -0,0 +1,6 @@
<?php
return array (
'first_match' => '',
'third_match' => '',
);

View File

@@ -1,210 +1,218 @@
<?php <?php
declare(strict_types=1); return array (
'accepted' => ':Attribute deve essere accettato.',
return [ 'accepted_if' => ':Attribute deve essere accettato quando :other è :value.',
'accepted' => ':Attribute deve essere accettato.', 'active_url' => ':Attribute non è un URL valido.',
'accepted_if' => ':Attribute deve essere accettato quando :other è :value.', 'after' => ':Attribute deve essere una data successiva al :date.',
'active_url' => ':Attribute non è un URL valido.', 'after_or_equal' => ':Attribute deve essere una data successiva o uguale al :date.',
'after' => ':Attribute deve essere una data successiva al :date.', 'alpha' => ':Attribute può contenere solo lettere.',
'after_or_equal' => ':Attribute deve essere una data successiva o uguale al :date.', 'alpha_dash' => ':Attribute può contenere solo lettere, numeri e trattini.',
'alpha' => ':Attribute può contenere solo lettere.', 'alpha_num' => ':Attribute può contenere solo lettere e numeri.',
'alpha_dash' => ':Attribute può contenere solo lettere, numeri e trattini.', 'array' => ':Attribute deve essere un array.',
'alpha_num' => ':Attribute può contenere solo lettere e numeri.', 'attached' => ':Attribute è già associato.',
'array' => ':Attribute deve essere un array.', 'attributes' =>
'attached' => ':Attribute è già associato.', array (
'before' => ':Attribute deve essere una data precedente al :date.', 'address' => 'indirizzo',
'before_or_equal' => ':Attribute deve essere una data precedente o uguale al :date.', 'age' => 'età',
'between' => [ 'amount' => 'amount',
'array' => ':Attribute deve avere tra :min - :max elementi.', 'area' => 'area',
'file' => ':Attribute deve trovarsi tra :min - :max kilobyte.', 'available' => 'disponibile',
'numeric' => ':Attribute deve trovarsi tra :min - :max.', 'birthday' => 'birthday',
'string' => ':Attribute deve trovarsi tra :min - :max caratteri.', 'body' => 'body',
], 'city' => 'città',
'boolean' => 'Il campo :attribute deve essere vero o falso.', 'content' => 'contenuto',
'confirmed' => 'Il campo di conferma per :attribute non coincide.', 'country' => 'paese',
'current_password' => 'Password non valida.', 'created_at' => 'created at',
'date' => ':Attribute non è una data valida.', 'creator' => 'creator',
'date_equals' => ':Attribute deve essere una data e uguale a :date.', 'current_password' => 'current password',
'date_format' => ':Attribute non coincide con il formato :format.', 'date' => 'data',
'declined' => ':Attribute deve essere rifiutato.', 'date_of_birth' => 'date of birth',
'declined_if' => ':Attribute deve essere rifiutato quando :other è :value.', 'day' => 'giorno',
'different' => ':Attribute e :other devono essere differenti.', 'deleted_at' => 'deleted at',
'digits' => ':Attribute deve essere di :digits cifre.', 'description' => 'descrizione',
'digits_between' => ':Attribute deve essere tra :min e :max cifre.', 'district' => 'district',
'dimensions' => 'Le dimensioni dell\'immagine di :attribute non sono valide.', 'duration' => 'duration',
'distinct' => ':Attribute contiene un valore duplicato.', 'email' => 'email',
'doesnt_end_with' => ':Attribute non può terminare con uno dei seguenti valori: :values.', 'excerpt' => 'estratto',
'doesnt_start_with' => ':Attribute non può iniziare con uno dei seguenti valori: :values.', 'filter' => 'filter',
'email' => ':Attribute non è valido.', 'first_name' => 'nome',
'ends_with' => ':Attribute deve finire con uno dei seguenti valori: :values', 'gender' => 'genere',
'enum' => 'Il campo :attribute non è valido.', 'group' => 'group',
'exists' => ':Attribute selezionato non è valido.', 'hour' => 'ora',
'file' => ':Attribute deve essere un file.', 'image' => 'image',
'filled' => 'Il campo :attribute deve contenere un valore.', 'last_name' => 'cognome',
'gt' => [ 'lesson' => 'lesson',
'array' => ':Attribute deve contenere più di :value elementi.', 'line_address_1' => 'line address 1',
'file' => ':Attribute deve essere maggiore di :value kilobyte.', 'line_address_2' => 'line address 2',
'numeric' => ':Attribute deve essere maggiore di :value.', 'message' => 'message',
'string' => ':Attribute deve contenere più di :value caratteri.', 'middle_name' => 'middle name',
], 'minute' => 'minuto',
'gte' => [ 'mobile' => 'cellulare',
'array' => ':Attribute deve contenere un numero di elementi uguale o maggiore di :value.', 'month' => 'mese',
'file' => ':Attribute deve essere uguale o maggiore di :value kilobyte.', 'name' => 'nome',
'numeric' => ':Attribute deve essere uguale o maggiore di :value.', 'national_code' => 'national code',
'string' => ':Attribute deve contenere un numero di caratteri uguale o maggiore di :value.', 'number' => 'number',
], 'password' => 'password',
'image' => ':Attribute deve essere un\'immagine.', 'password_confirmation' => 'conferma password',
'in' => ':Attribute selezionato non è valido.', 'phone' => 'telefono',
'in_array' => 'Il valore del campo :attribute non esiste in :other.', 'photo' => 'photo',
'integer' => ':Attribute deve essere un numero intero.', 'postal_code' => 'postal code',
'ip' => ':Attribute deve essere un indirizzo IP valido.', 'price' => 'price',
'ipv4' => ':Attribute deve essere un indirizzo IPv4 valido.', 'province' => 'province',
'ipv6' => ':Attribute deve essere un indirizzo IPv6 valido.', 'recaptcha_response_field' => 'recaptcha response field',
'json' => ':Attribute deve essere una stringa JSON valida.', 'remember' => 'remember',
'lowercase' => ':Attribute deve contenere solo caratteri minuscoli.', 'restored_at' => 'restored at',
'lt' => [ 'result_text_under_image' => 'result text under image',
'array' => ':Attribute deve contenere meno di :value elementi.', 'role' => 'role',
'file' => ':Attribute deve essere minore di :value kilobyte.', 'second' => 'secondo',
'numeric' => ':Attribute deve essere minore di :value.', 'sex' => 'sesso',
'string' => ':Attribute deve contenere meno di :value caratteri.', 'short_text' => 'short text',
], 'size' => 'dimensione',
'lte' => [ 'state' => 'state',
'array' => ':Attribute deve contenere un numero di elementi minore o uguale a :value.', 'street' => 'street',
'file' => ':Attribute deve essere minore o uguale a :value kilobyte.', 'student' => 'student',
'numeric' => ':Attribute deve essere minore o uguale a :value.', 'subject' => 'subject',
'string' => ':Attribute deve contenere un numero di caratteri minore o uguale a :value.', 'teacher' => 'teacher',
], 'terms' => 'terms',
'mac_address' => 'Il campo :attribute deve essere un indirizzo MAC valido .', 'test_description' => 'test description',
'max' => [ 'test_locale' => 'test locale',
'array' => ':Attribute non può avere più di :max elementi.', 'test_name' => 'test name',
'file' => ':Attribute non può essere superiore a :max kilobyte.', 'text' => 'text',
'numeric' => ':Attribute non può essere superiore a :max.', 'time' => 'ora',
'string' => ':Attribute non può contenere più di :max caratteri.', 'title' => 'titolo',
], 'updated_at' => 'updated at',
'max_digits' => ':Attribute non può contenere più di :max cifre.', 'username' => 'nome utente',
'mimes' => ':Attribute deve essere del tipo: :values.', 'year' => 'anno',
'mimetypes' => ':Attribute deve essere del tipo: :values.', ),
'min' => [ 'before' => ':Attribute deve essere una data precedente al :date.',
'array' => ':Attribute deve avere almeno :min elementi.', 'before_or_equal' => ':Attribute deve essere una data precedente o uguale al :date.',
'file' => ':Attribute deve essere almeno di :min kilobyte.', 'between' =>
'numeric' => ':Attribute deve essere almeno :min.', array (
'string' => ':Attribute deve contenere almeno :min caratteri.', 'array' => ':Attribute deve avere tra :min - :max elementi.',
], 'file' => ':Attribute deve trovarsi tra :min - :max kilobyte.',
'min_digits' => ':Attribute deve contenere almeno :min cifre.', 'numeric' => ':Attribute deve trovarsi tra :min - :max.',
'multiple_of' => ':Attribute deve essere un multiplo di :value', 'string' => ':Attribute deve trovarsi tra :min - :max caratteri.',
'not_in' => 'Il valore selezionato per :attribute non è valido.', ),
'not_regex' => 'Il formato di :attribute non è valido.', 'boolean' => 'Il campo :attribute deve essere vero o falso.',
'numeric' => ':Attribute deve essere un numero.', 'confirmed' => 'Il campo di conferma per :attribute non coincide.',
'password' => [ 'current_password' => 'Password non valida.',
'letters' => ':Attribute deve contenere almeno un carattere.', 'date' => ':Attribute non è una data valida.',
'mixed' => ':Attribute deve contenere almeno un carattere maiuscolo ed un carattere minuscolo.', 'date_equals' => ':Attribute deve essere una data e uguale a :date.',
'numbers' => ':Attribute deve contenere almeno un numero.', 'date_format' => ':Attribute non coincide con il formato :format.',
'symbols' => ':Attribute deve contenere almeno un simbolo.', 'declined' => ':Attribute deve essere rifiutato.',
'uncompromised' => ':Attribute è presente negli archivi dei dati trafugati. Per piacere scegli un valore differente per :attribute.', 'declined_if' => ':Attribute deve essere rifiutato quando :other è :value.',
], 'different' => ':Attribute e :other devono essere differenti.',
'present' => 'Il campo :attribute deve essere presente.', 'digits' => ':Attribute deve essere di :digits cifre.',
'prohibited' => ':Attribute non consentito.', 'digits_between' => ':Attribute deve essere tra :min e :max cifre.',
'prohibited_if' => ':Attribute non consentito quando :other è :value.', 'dimensions' => 'Le dimensioni dell\'immagine di :attribute non sono valide.',
'prohibited_unless' => ':Attribute non consentito a meno che :other sia contenuto in :values.', 'distinct' => ':Attribute contiene un valore duplicato.',
'prohibits' => ':Attribute impedisce a :other di essere presente.', 'doesnt_end_with' => ':Attribute non può terminare con uno dei seguenti valori: :values.',
'regex' => 'Il formato del campo :attribute non è valido.', 'doesnt_start_with' => ':Attribute non può iniziare con uno dei seguenti valori: :values.',
'relatable' => ':Attribute non può essere associato a questa risorsa.', 'email' => ':Attribute non è valido.',
'required' => 'Il campo :attribute è richiesto.', 'ends_with' => ':Attribute deve finire con uno dei seguenti valori: :values',
'required_array_keys' => 'Il campo :attribute deve contenere voci per: :values.', 'enum' => 'Il campo :attribute non è valido.',
'required_if' => 'Il campo :attribute è richiesto quando :other è :value.', 'exists' => ':Attribute selezionato non è valido.',
'required_if_accepted' => ':Attribute è richiesto quando :other è accettato.', 'file' => ':Attribute deve essere un file.',
'required_unless' => 'Il campo :attribute è richiesto a meno che :other sia in :values.', 'filled' => 'Il campo :attribute deve contenere un valore.',
'required_with' => 'Il campo :attribute è richiesto quando :values è presente.', 'gt' =>
'required_with_all' => 'Il campo :attribute è richiesto quando :values sono presenti.', array (
'required_without' => 'Il campo :attribute è richiesto quando :values non è presente.', 'array' => ':Attribute deve contenere più di :value elementi.',
'required_without_all' => 'Il campo :attribute è richiesto quando nessuno di :values è presente.', 'file' => ':Attribute deve essere maggiore di :value kilobyte.',
'same' => ':Attribute e :other devono coincidere.', 'numeric' => ':Attribute deve essere maggiore di :value.',
'size' => [ 'string' => ':Attribute deve contenere più di :value caratteri.',
'array' => ':Attribute deve contenere :size elementi.', ),
'file' => ':Attribute deve essere :size kilobyte.', 'gte' =>
'numeric' => ':Attribute deve essere :size.', array (
'string' => ':Attribute deve contenere :size caratteri.', 'array' => ':Attribute deve contenere un numero di elementi uguale o maggiore di :value.',
], 'file' => ':Attribute deve essere uguale o maggiore di :value kilobyte.',
'starts_with' => ':Attribute deve iniziare con uno dei seguenti: :values', 'numeric' => ':Attribute deve essere uguale o maggiore di :value.',
'string' => ':Attribute deve essere una stringa.', 'string' => ':Attribute deve contenere un numero di caratteri uguale o maggiore di :value.',
'timezone' => ':Attribute deve essere una zona valida.', ),
'unique' => ':Attribute è stato già utilizzato.', 'image' => ':Attribute deve essere un\'immagine.',
'uploaded' => ':Attribute non è stato caricato.', 'in' => ':Attribute selezionato non è valido.',
'uppercase' => ':Attribute deve contenere solo caratteri maiuscoli.', 'in_array' => 'Il valore del campo :attribute non esiste in :other.',
'url' => 'Il formato del campo :attribute non è valido.', 'integer' => ':Attribute deve essere un numero intero.',
'uuid' => ':Attribute deve essere un UUID valido.', 'ip' => ':Attribute deve essere un indirizzo IP valido.',
'attributes' => [ 'ipv4' => ':Attribute deve essere un indirizzo IPv4 valido.',
'address' => 'indirizzo', 'ipv6' => ':Attribute deve essere un indirizzo IPv6 valido.',
'age' => 'età', 'json' => ':Attribute deve essere una stringa JSON valida.',
'amount' => 'amount', 'lowercase' => ':Attribute deve contenere solo caratteri minuscoli.',
'area' => 'area', 'lt' =>
'available' => 'disponibile', array (
'birthday' => 'birthday', 'array' => ':Attribute deve contenere meno di :value elementi.',
'body' => 'body', 'file' => ':Attribute deve essere minore di :value kilobyte.',
'city' => 'città', 'numeric' => ':Attribute deve essere minore di :value.',
'content' => 'contenuto', 'string' => ':Attribute deve contenere meno di :value caratteri.',
'country' => 'paese', ),
'created_at' => 'created at', 'lte' =>
'creator' => 'creator', array (
'current_password' => 'current password', 'array' => ':Attribute deve contenere un numero di elementi minore o uguale a :value.',
'date' => 'data', 'file' => ':Attribute deve essere minore o uguale a :value kilobyte.',
'date_of_birth' => 'date of birth', 'numeric' => ':Attribute deve essere minore o uguale a :value.',
'day' => 'giorno', 'string' => ':Attribute deve contenere un numero di caratteri minore o uguale a :value.',
'deleted_at' => 'deleted at', ),
'description' => 'descrizione', 'mac_address' => 'Il campo :attribute deve essere un indirizzo MAC valido .',
'district' => 'district', 'max' =>
'duration' => 'duration', array (
'email' => 'email', 'array' => ':Attribute non può avere più di :max elementi.',
'excerpt' => 'estratto', 'file' => ':Attribute non può essere superiore a :max kilobyte.',
'filter' => 'filter', 'numeric' => ':Attribute non può essere superiore a :max.',
'first_name' => 'nome', 'string' => ':Attribute non può contenere più di :max caratteri.',
'gender' => 'genere', ),
'group' => 'group', 'max_digits' => ':Attribute non può contenere più di :max cifre.',
'hour' => 'ora', 'mimes' => ':Attribute deve essere del tipo: :values.',
'image' => 'image', 'mimetypes' => ':Attribute deve essere del tipo: :values.',
'last_name' => 'cognome', 'min' =>
'lesson' => 'lesson', array (
'line_address_1' => 'line address 1', 'array' => ':Attribute deve avere almeno :min elementi.',
'line_address_2' => 'line address 2', 'file' => ':Attribute deve essere almeno di :min kilobyte.',
'message' => 'message', 'numeric' => ':Attribute deve essere almeno :min.',
'middle_name' => 'middle name', 'string' => ':Attribute deve contenere almeno :min caratteri.',
'minute' => 'minuto', ),
'mobile' => 'cellulare', 'min_digits' => ':Attribute deve contenere almeno :min cifre.',
'month' => 'mese', 'multiple_of' => ':Attribute deve essere un multiplo di :value',
'name' => 'nome', 'not_in' => 'Il valore selezionato per :attribute non è valido.',
'national_code' => 'national code', 'not_regex' => 'Il formato di :attribute non è valido.',
'number' => 'number', 'numeric' => ':Attribute deve essere un numero.',
'password' => 'password', 'password' =>
'password_confirmation' => 'conferma password', array (
'phone' => 'telefono', 'letters' => ':Attribute deve contenere almeno un carattere.',
'photo' => 'photo', 'mixed' => ':Attribute deve contenere almeno un carattere maiuscolo ed un carattere minuscolo.',
'postal_code' => 'postal code', 'numbers' => ':Attribute deve contenere almeno un numero.',
'price' => 'price', 'symbols' => ':Attribute deve contenere almeno un simbolo.',
'province' => 'province', 'uncompromised' => ':Attribute è presente negli archivi dei dati trafugati. Per piacere scegli un valore differente per :attribute.',
'recaptcha_response_field' => 'recaptcha response field', ),
'remember' => 'remember', 'present' => 'Il campo :attribute deve essere presente.',
'restored_at' => 'restored at', 'prohibited' => ':Attribute non consentito.',
'result_text_under_image' => 'result text under image', 'prohibited_if' => ':Attribute non consentito quando :other è :value.',
'role' => 'role', 'prohibited_unless' => ':Attribute non consentito a meno che :other sia contenuto in :values.',
'second' => 'secondo', 'prohibits' => ':Attribute impedisce a :other di essere presente.',
'sex' => 'sesso', 'regex' => 'Il formato del campo :attribute non è valido.',
'short_text' => 'short text', 'relatable' => ':Attribute non può essere associato a questa risorsa.',
'size' => 'dimensione', 'required' => 'Il campo :attribute è richiesto.',
'state' => 'state', 'required_array_keys' => 'Il campo :attribute deve contenere voci per: :values.',
'street' => 'street', 'required_if' => 'Il campo :attribute è richiesto quando :other è :value.',
'student' => 'student', 'required_if_accepted' => ':Attribute è richiesto quando :other è accettato.',
'subject' => 'subject', 'required_unless' => 'Il campo :attribute è richiesto a meno che :other sia in :values.',
'teacher' => 'teacher', 'required_with' => 'Il campo :attribute è richiesto quando :values è presente.',
'terms' => 'terms', 'required_with_all' => 'Il campo :attribute è richiesto quando :values sono presenti.',
'test_description' => 'test description', 'required_without' => 'Il campo :attribute è richiesto quando :values non è presente.',
'test_locale' => 'test locale', 'required_without_all' => 'Il campo :attribute è richiesto quando nessuno di :values è presente.',
'test_name' => 'test name', 'same' => ':Attribute e :other devono coincidere.',
'text' => 'text', 'size' =>
'time' => 'ora', array (
'title' => 'titolo', 'array' => ':Attribute deve contenere :size elementi.',
'updated_at' => 'updated at', 'file' => ':Attribute deve essere :size kilobyte.',
'username' => 'nome utente', 'numeric' => ':Attribute deve essere :size.',
'year' => 'anno', 'string' => ':Attribute deve contenere :size caratteri.',
], ),
]; 'starts_with' => ':Attribute deve iniziare con uno dei seguenti: :values',
'string' => ':Attribute deve essere una stringa.',
'timezone' => ':Attribute deve essere una zona valida.',
'unique' => ':Attribute è stato già utilizzato.',
'uploaded' => ':Attribute non è stato caricato.',
'uppercase' => ':Attribute deve contenere solo caratteri maiuscoli.',
'url' => 'Il formato del campo :attribute non è valido.',
'uuid' => ':Attribute deve essere un UUID valido.',
);

View File

@@ -201,5 +201,405 @@
"You may delete any of your existing tokens if they are no longer needed.": "Може да избришете било кој од вашите постоечки токени ако тие повеќе не се потребни.", "You may delete any of your existing tokens if they are no longer needed.": "Може да избришете било кој од вашите постоечки токени ако тие повеќе не се потребни.",
"You may not delete your personal team.": "Не можете да го избришете валиот личен тим.", "You may not delete your personal team.": "Не можете да го избришете валиот личен тим.",
"You may not leave a team that you created.": "Не можете да го напуштите тимот што Вие го имате креирано.", "You may not leave a team that you created.": "Не можете да го напуштите тимот што Вие го имате креирано.",
"Your email address is unverified.": "Your email address is unverified." "Your email address is unverified.": "Your email address is unverified.",
"Book": "",
"Article": "",
"Markdown Article": "",
"Youtube Video": "",
"Vimeo Video": "",
"Podcast Episode": "",
"Downloadable File": "",
"Bitcoin Events": "",
"Country": "",
"Title": "",
"From": "",
"To": "",
"Venue": "",
"Link": "",
"No bookcases found in the radius of 5km": "",
"City": "",
"Search City": "",
"Search Venue": "",
"Course": "",
"Search Course": "",
"Type": "",
"Lecturer": "",
"Actions": "",
"Meetup": "",
"Location": "",
"Start": "",
"Links": "",
"Bookcase": "",
"Created by: :name": "",
"Logo": "",
"Show worldwide": "",
"If checked, the event will be shown everywhere.": "",
"Description": "",
"Created By": "",
"Book Case": "",
"Latitude": "",
"Longitude": "",
"Address": "",
"Open": "",
"Comment": "",
"Contact": "",
"Bcz": "",
"Digital": "",
"Icontype": "",
"Deactivated": "",
"Deactreason": "",
"Entrytype": "",
"Homepage": "",
"OrangePills": "",
"Comments": "",
"Slug": "",
"Courses": "",
"Country: :name": "",
"Venues": "",
"Course Events": "",
"Meetups": "",
"Commentator": "",
"Original text": "",
"Show": "",
"Status": "",
"Created at": "",
"Code: :code": "",
"English name": "",
"Languages": "",
"Cities": "",
"Main picture": "",
"Images": "",
"Upload images here to insert them later in the Markdown Description. But you have to save before.": "",
"Tags": "",
"Markdown is allowed. You can paste images from the \"Images\" field here. Use the link icon of the images for the urls after clicking \"Update and continue\".": "",
"Select here the lecturer who holds the course. If the lecturer is not in the list, create it first under \"Lecturers\".": "",
"Categories": "",
"Course Event": "",
"Image": "",
"Data": "",
"Podcast": "",
"Lecturer\/Content Creator": "",
"Library": "",
"Is public": "",
"Library Item": "",
"Language Code": "",
"Value": "",
"Episode": "",
"Meetup Event": "",
"Locked": "",
"Episodes": "",
"Users": "",
"City: :name": "",
"Street": "",
"Locations": "",
"MIT License": "",
"nova-spatie-permissions::lang.display_names\": \"": "",
"Please copy your new API token. For your security, it won\\'t be shown again.": "",
"Back to the website": "",
"I want to submit new courses on this platform": "",
"Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn\\'t receive the email, we will gladly send you another.": "",
"💊 Orange Pill Now": "",
"Details": "",
"no bitcoin books yet": "",
"Perimeter search course date :name (100km)": "",
"Perimeter search bookcase :name (5km)": "",
"Show dates": "",
"Show content": "",
"Download": "",
"Listen": "",
"Calendar Stream Url copied!": "",
"Paste the calendar stream link into a compatible calendar app.": "",
"Calendar Stream-Url": "",
"URL copied!": "",
"Copy": "",
"Email login": "",
"Email registration": "",
"Zeus bug:": "",
"Bookcases": "",
"Search out a public bookcase": "",
"Built with ❤️ by our team.": "",
"Github": "",
"Wish List\/Feedback": "",
"Translate (:lang :percent%)": "",
"Back to the overview": "",
"Lecturers": "",
"Events": "",
"Library for lecturers": "",
"City search": "",
"World map": "",
"Meetup dates": "",
"Change country": "",
"Change language": "",
"Registration": "",
"Choose your city, search for courses in the surrounding area and select a topic that suits you.": "",
"Content": "",
"Choose a topic that is right for you.": "",
"Search": "",
"Dates": "",
"Einundzwanzig": "",
"Bitcoin Portal": "",
"A Bitcoin community for all.": "",
"Plebs together strong": "",
"Education": "",
"Worldwide": "",
"Reading": "",
"School": "",
"Find Bitcoin courses in your city": "",
"👇 Find a course 👇": "",
"Select a tab": "",
"Lecturer Libraries": "",
"Libraries": "",
"Creator": "",
"Contents": "",
"Calendar Stream-Url for all meetup events": "",
"Bitcoiner": "",
"Plebs together strong 💪": "",
"Bitcoiner Meetups are a great way to meet other Bitcoiners in your area. You can learn from each other, share ideas, and have fun!": "",
"Orange Pill Book Case": "",
"So far here were": "",
"On :asDateTime :name has added :amount Bitcoin books.": "",
"Number of books": "",
"How many bitcoin books have you put in?": "",
"Date": "",
"When did you put bitcoin books in?": "",
"For example, what books you put in.": "",
"Von": "",
"Bis": "",
"Link to the registration": "",
"Submit Meetup": "",
"Register Meetup date": "",
"Register lecturer": "",
"Register course": "",
"Register course date": "",
"Submit contents": "",
"Register event": "",
"My profile": "",
"When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone\\'s Google Authenticator application.": "",
"To finish enabling two factor authentication, scan the following QR code using your phone\\'s authenticator application or enter the setup key and provide the generated OTP code.": "",
"Two factor authentication is now enabled. Scan the following QR code using your phone\\'s authenticator application or enter the setup key.": "",
"Update your account\\'s profile information and email address.": "",
"Timezone": "",
"The team\\'s name and owner information.": "",
"You can use <a href=\"https:\/\/spatie.be\/markdown\" target=\"_blank\" rel=\"nofollow noopener noreferrer\">Markdown<\/a>": "",
"Unsubscribe from receive notification about :commentableName": "",
"The comment has been approved.": "",
"Do you want to approve the comment?": "",
"Approve": "",
"The comment has been rejected.": "",
"Do you want to reject the comment?": "",
"You have been unsubscribed.": "",
"You have been unsubscribed from every comment notification.": "",
"Do you want to unsubscribe from every comment notification?": "",
"Do you want to unsubscribe?": "",
"Dismiss": "",
"close": "",
"Rotate -90": "",
"Rotate +90": "",
"Update": "",
"Add New \".concat(e)):this.__(\"Upload New \".concat(e))},mustCrop:function(){return\"mustCrop\"in this.field&&this.field.mustCrop}},watch:{modelValue:function(e){this.images=e||[]},images:function(e,t){this.queueNewImages(e,t),this.$emit(\"update:modelValue": "",
"Maximum file size is :amount MB": "",
"File type must be: :types": "",
"Uploading": "",
"Do you really want to leave? You have unsaved changes.": "",
"*": "",
"Select": "",
"Existing Media": "",
"Search by name or file name": "",
"No results found": "",
"Load Next Page": "",
"Add Existing \".concat(e)):this.__(\"Use Existing \".concat(e))}},methods:{setInitialValue:function(){var e=this.field.value||[];this.field.multiple||(e=e.slice(0,1)),this.value=e,this.hasSetInitialValue=!0},fill:function(e){var t=this,n=this.field.attribute;this.value.forEach((function(r,i){var o,a,s;!r.id?r.isVaporUpload?(e.append(\"__media__[\".concat(n,\"][": "",
"nova-spatie-permissions::lang.display_names.'.$this->name);\n\t\t\t})->canSee(function (){\n\t\t\t\treturn is_array(__('nova-spatie-permissions::lang.display_names": "",
"This will go in the JSON array": "",
"This will also go in the JSON array": "",
"trans": "",
"Go Home": "",
"Whoops": "",
"We're lost in space. The page you were trying to view does not exist.": "",
"Hold Up!": "",
"The government won't let us show you what's behind these doors": "",
":-(": "",
"Nova experienced an unrecoverable error.": "",
"Toggle Collapsed": "",
"This resource no longer exists": "",
":resource Details: :title": "",
"Soft Deleted": "",
"View": "",
"Edit": "",
"The resource was attached!": "",
"Attach :resource": "",
"No additional information...": "",
"Choose :resource": "",
"Attach & Attach Another": "",
"The resource was updated!": "",
"Update attached :resource: :title": "",
"Choose :field": "",
"Update & Continue Editing": "",
"Update :resource": "",
"Toggle Sidebar": "",
"Close Sidebar": "",
"Sorry, your session has expired.": "",
"Reload": "",
"There was a problem executing the action.": "",
"The action was executed successfully.": "",
"There was a problem submitting the form.": "",
"Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "",
"Standalone Actions": "",
"Select Action": "",
"Stop Polling": "",
"Start Polling": "",
"Show Cards": "",
"Hide Cards": "",
"The HasOne relationship has already been filled.": "",
"The HasOneThrough relationship has already been filled.": "",
"The :resource was created!": "",
"Create :resource": "",
"Create & Add Another": "",
"Attach": "",
"Restore Selected": "",
"Force Delete Selected": "",
"Trash Dropdown": "",
"Force Delete Resource": "",
"Are you sure you want to force delete the selected resources?": "",
"The :resource was deleted!": "",
"The :resource was restored!": "",
"Replicate": "",
"Impersonate": "",
"Delete Resource": "",
"Restore Resource": "",
"Resource Row Dropdown": "",
"Preview": "",
"Select this page": "",
"Select all": "",
"Select All Dropdown": "",
"Light": "",
"Dark": "",
"System": "",
"Hide Content": "",
"Show Content": "",
"Reset Filters": "",
"With Trashed": "",
"Only Trashed": "",
"Trashed": "",
"Per Page": "",
"Filter Dropdown": "",
"Choose date": "",
"—": "",
"Press \/ to search": "",
"No Results Found.": "",
"No :resource matched the given criteria.": "",
"Failed to load :resource!": "",
"Click to choose": "",
"Lens Dropdown": "",
"Unregistered": "",
"total": "",
"Select Ranges": "",
"No Increase": "",
"No Prior Data": "",
"No Current Data": "",
"No Data": "",
"Delete File": "",
"Are you sure you want to delete this file?": "",
"Are you sure you want to \"+o.mode+\" the selected resources?": "",
"Previewing": "",
"View :resource": "",
"There are no fields to display.": "",
"Are you sure you want to restore the selected resources?": "",
"Restore": "",
"Are you sure you want to delete this notification?": "",
"Notifications": "",
"Mark all as Read": "",
"There are no new notifications.": "",
"Load :perPage More": "",
"All resources loaded.": "",
":amount Total": "",
"Previous": "",
"Next": "",
"Copy to clipboard": "",
"There's nothing configured to show here.": "",
"Selected Resources": "",
"Controls": "",
"Select Resource :title": "",
"Edit Attached": "",
"Are you sure you want to restore this resource?": "",
"Show more": "",
"Are you sure you want to log out?": "",
"Are you sure you want to stop impersonating?": "",
"Nova User": "",
"Stop Impersonating": "",
":name's Avatar": "",
"Something went wrong.": "",
"Yes": "",
"No": "",
"Show All Fields": "",
"End": "",
"Min": "",
"Max": "",
"Sorry! You are not authorized to perform this action.": "",
"The file was deleted!": "",
"There was a problem fetching the resource.": "",
"Write": "",
"Choose Type": "",
"There are no available options for this resource.": "",
"Choose": "",
"Choose an option": "",
"Customize": "",
"An error occurred while uploading the file.": "",
"Refresh": "",
"Forgot Password": "",
"Log In": "",
"Welcome Back!": "",
"The :resource was updated!": "",
"Update :resource: :title": "",
"Choose Files": "",
"Choose File": "",
"Drop files or click to choose": "",
"Drop file or click to choose": "",
"Choose a file": "",
"&mdash;": "",
"The image could not be loaded.": "",
":name\\\\'s Avatar": "",
"taylorotwell": "",
"Laravel Nova": "",
"Laravel Nova :version": "",
"Are you sure you want to ' + mode + ' the selected resources?": "",
":name\\'s Avatar": "",
"ID": "",
"Action Name": "",
"Action Initiated By": "",
"Action Target": "",
"Action Status": "",
"Waiting": "",
"Running": "",
"Failed": "",
"Original": "",
"Changes": "",
"Exception": "",
"Action Happened At": "",
"Action": "",
"CSV (.csv)": "",
"Excel (.xlsx)": "",
"Filename": "",
"30 Days": "",
"60 Days": "",
"90 Days": "",
"365 Days": "",
"Today": "",
"Month To Date": "",
"Quarter To Date": "",
"Year To Date": "",
"Unable to find Resource for model [:model].": "",
"The resource was prevented from being saved!": "",
"Loading": "",
"Finished": "",
"Key": "",
"Add row": "",
"Resources": "",
"Dashboards": "",
"Replicate :resource": "",
"time": "",
"All Columns": "",
"All": "",
"N\/A": "",
"Add tags...": "",
"Add tag...": ""
} }

View File

@@ -0,0 +1,11 @@
<?php
return array (
'' =>
array (
'' =>
array (
'' => '',
),
),
);

View File

@@ -1,9 +1,7 @@
<?php <?php
declare(strict_types=1); return array (
'failed' => 'Овие акредитиви не се совпаѓаат со нашите записи.',
return [ 'password' => 'Лозинката не е точна.',
'failed' => 'Овие акредитиви не се совпаѓаат со нашите записи.', 'throttle' => 'Премногу обиди за најавување. Обидете се повторно за :seconds секунди.',
'password' => 'Лозинката не е точна.', );
'throttle' => 'Премногу обиди за најавување. Обидете се повторно за :seconds секунди.',
];

View File

@@ -1,84 +1,82 @@
<?php <?php
declare(strict_types=1); return array (
0 => 'Unknown Error',
return [ 'unknownError' => 'Unknown Error',
'0' => 'Unknown Error', 100 => 'Continue',
'100' => 'Continue', 101 => 'Switching Protocols',
'101' => 'Switching Protocols', 102 => 'Processing',
'102' => 'Processing', 200 => 'OK',
'200' => 'OK', 201 => 'Created',
'201' => 'Created', 202 => 'Accepted',
'202' => 'Accepted', 203 => 'Non-Authoritative Information',
'203' => 'Non-Authoritative Information', 204 => 'No Content',
'204' => 'No Content', 205 => 'Reset Content',
'205' => 'Reset Content', 206 => 'Partial Content',
'206' => 'Partial Content', 207 => 'Multi-Status',
'207' => 'Multi-Status', 208 => 'Already Reported',
'208' => 'Already Reported', 226 => 'IM Used',
'226' => 'IM Used', 300 => 'Multiple Choices',
'300' => 'Multiple Choices', 301 => 'Moved Permanently',
'301' => 'Moved Permanently', 302 => 'Found',
'302' => 'Found', 303 => 'See Other',
'303' => 'See Other', 304 => 'Not Modified',
'304' => 'Not Modified', 305 => 'Use Proxy',
'305' => 'Use Proxy', 307 => 'Temporary Redirect',
'307' => 'Temporary Redirect', 308 => 'Permanent Redirect',
'308' => 'Permanent Redirect', 400 => 'Bad Request',
'400' => 'Bad Request', 401 => 'Unauthorized',
'401' => 'Unauthorized', 402 => 'Payment Required',
'402' => 'Payment Required', 403 => 'Forbidden',
'403' => 'Forbidden', 404 => 'Not Found',
'404' => 'Not Found', 405 => 'Method Not Allowed',
'405' => 'Method Not Allowed', 406 => 'Not Acceptable',
'406' => 'Not Acceptable', 407 => 'Proxy Authentication Required',
'407' => 'Proxy Authentication Required', 408 => 'Request Timeout',
'408' => 'Request Timeout', 409 => 'Conflict',
'409' => 'Conflict', 410 => 'Gone',
'410' => 'Gone', 411 => 'Length Required',
'411' => 'Length Required', 412 => 'Precondition Failed',
'412' => 'Precondition Failed', 413 => 'Payload Too Large',
'413' => 'Payload Too Large', 414 => 'URI Too Long',
'414' => 'URI Too Long', 415 => 'Unsupported Media Type',
'415' => 'Unsupported Media Type', 416 => 'Range Not Satisfiable',
'416' => 'Range Not Satisfiable', 417 => 'Expectation Failed',
'417' => 'Expectation Failed', 418 => 'I\'m a teapot',
'418' => 'I\'m a teapot', 419 => 'Session Has Expired',
'419' => 'Session Has Expired', 421 => 'Misdirected Request',
'421' => 'Misdirected Request', 422 => 'Unprocessable Entity',
'422' => 'Unprocessable Entity', 423 => 'Locked',
'423' => 'Locked', 424 => 'Failed Dependency',
'424' => 'Failed Dependency', 425 => 'Too Early',
'425' => 'Too Early', 426 => 'Upgrade Required',
'426' => 'Upgrade Required', 428 => 'Precondition Required',
'428' => 'Precondition Required', 429 => 'Too Many Requests',
'429' => 'Too Many Requests', 431 => 'Request Header Fields Too Large',
'431' => 'Request Header Fields Too Large', 444 => 'Connection Closed Without Response',
'444' => 'Connection Closed Without Response', 449 => 'Retry With',
'449' => 'Retry With', 451 => 'Unavailable For Legal Reasons',
'451' => 'Unavailable For Legal Reasons', 499 => 'Client Closed Request',
'499' => 'Client Closed Request', 500 => 'Internal Server Error',
'500' => 'Internal Server Error', 501 => 'Not Implemented',
'501' => 'Not Implemented', 502 => 'Bad Gateway',
'502' => 'Bad Gateway', 503 => 'Maintenance Mode',
'503' => 'Maintenance Mode', 504 => 'Gateway Timeout',
'504' => 'Gateway Timeout', 505 => 'HTTP Version Not Supported',
'505' => 'HTTP Version Not Supported', 506 => 'Variant Also Negotiates',
'506' => 'Variant Also Negotiates', 507 => 'Insufficient Storage',
'507' => 'Insufficient Storage', 508 => 'Loop Detected',
'508' => 'Loop Detected', 509 => 'Bandwidth Limit Exceeded',
'509' => 'Bandwidth Limit Exceeded', 510 => 'Not Extended',
'510' => 'Not Extended', 511 => 'Network Authentication Required',
'511' => 'Network Authentication Required', 520 => 'Unknown Error',
'520' => 'Unknown Error', 521 => 'Web Server is Down',
'521' => 'Web Server is Down', 522 => 'Connection Timed Out',
'522' => 'Connection Timed Out', 523 => 'Origin Is Unreachable',
'523' => 'Origin Is Unreachable', 524 => 'A Timeout Occurred',
'524' => 'A Timeout Occurred', 525 => 'SSL Handshake Failed',
'525' => 'SSL Handshake Failed', 526 => 'Invalid SSL Certificate',
'526' => 'Invalid SSL Certificate', 527 => 'Railgun Error',
'527' => 'Railgun Error', 598 => 'Network Read Timeout Error',
'598' => 'Network Read Timeout Error', 599 => 'Network Connect Timeout Error',
'599' => 'Network Connect Timeout Error', );
'unknownError' => 'Unknown Error',
];

View File

@@ -1,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
'next' => 'Напред &raquo;',
return [ 'previous' => '&laquo; Назад',
'next' => 'Напред &raquo;', );
'previous' => '&laquo; Назад',
];

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
'reset' => 'Вашата лозинка е ресетирана!',
return [ 'sent' => 'Испратена e-mail порака со инструкции за ресетирање на вашата лозинка!',
'reset' => 'Вашата лозинка е ресетирана!', 'throttled' => 'Ве молиме почекајте пред да се обидете повторно.',
'sent' => 'Испратена e-mail порака со инструкции за ресетирање на вашата лозинка!', 'token' => 'Овој токен за ресетирање на лозинката е невалиден.',
'throttled' => 'Ве молиме почекајте пред да се обидете повторно.', 'user' => 'Не може да се пронајде корисник со таа e-mail адреса.',
'token' => 'Овој токен за ресетирање на лозинката е невалиден.', );
'user' => 'Не може да се пронајде корисник со таа e-mail адреса.',
];

View File

@@ -0,0 +1,6 @@
<?php
return array (
'first_match' => '',
'third_match' => '',
);

View File

@@ -1,210 +1,218 @@
<?php <?php
declare(strict_types=1); return array (
'accepted' => 'Полето :attribute мора да биде прифатено.',
return [ 'accepted_if' => 'The :attribute must be accepted when :other is :value.',
'accepted' => 'Полето :attribute мора да биде прифатено.', 'active_url' => 'Полето :attribute не е валиден URL.',
'accepted_if' => 'The :attribute must be accepted when :other is :value.', 'after' => 'Полето :attribute мора да биде датум после :date.',
'active_url' => 'Полето :attribute не е валиден URL.', 'after_or_equal' => 'Полето :attribute мора да биде датум кој е после или еднаков на :date.',
'after' => 'Полето :attribute мора да биде датум после :date.', 'alpha' => 'Полето :attribute може да содржи само букви.',
'after_or_equal' => 'Полето :attribute мора да биде датум кој е после или еднаков на :date.', 'alpha_dash' => 'Полето :attribute може да содржи само букви, броеви, долна црта и тире.',
'alpha' => 'Полето :attribute може да содржи само букви.', 'alpha_num' => 'Полето :attribute може да содржи само букви и броеви.',
'alpha_dash' => 'Полето :attribute може да содржи само букви, броеви, долна црта и тире.', 'array' => 'Полето :attribute мора да биде низа.',
'alpha_num' => 'Полето :attribute може да содржи само букви и броеви.', 'attached' => 'Оваа :attribute е веќе прикачен.',
'array' => 'Полето :attribute мора да биде низа.', 'attributes' =>
'attached' => 'Оваа :attribute е веќе прикачен.', array (
'before' => 'Полето :attribute мора да биде датум пред :date.', 'address' => 'адреса',
'before_or_equal' => 'Полето :attribute мора да биде датум пред или еднаков на :date.', 'age' => 'години',
'between' => [ 'amount' => 'amount',
'array' => 'Полето :attribute мора да има помеѓу :min - :max елементи.', 'area' => 'area',
'file' => 'Полето :attribute мора да биде датотека со големина помеѓу :min и :max килобајти.', 'available' => 'available',
'numeric' => 'Полето :attribute мора да биде број помеѓу :min и :max.', 'birthday' => 'birthday',
'string' => 'Полето :attribute мора да биде текст со должина помеѓу :min и :max карактери.', 'body' => 'основен текст на порака',
], 'city' => 'град',
'boolean' => 'Полето :attribute мора да има вредност вистинито (true) или невистинито (false).', 'content' => 'content',
'confirmed' => 'Полето :attribute не е потврдено.', 'country' => 'држава',
'current_password' => 'The password is incorrect.', 'created_at' => 'created at',
'date' => 'Полето :attribute не е валиден датум.', 'creator' => 'creator',
'date_equals' => 'Полето :attribute мора да биде датум еднаков на :date.', 'current_password' => 'current password',
'date_format' => 'Полето :attribute не одговара на форматот :format.', 'date' => 'датум',
'declined' => 'The :attribute must be declined.', 'date_of_birth' => 'date of birth',
'declined_if' => 'The :attribute must be declined when :other is :value.', 'day' => 'ден',
'different' => 'Полињата :attribute и :other треба да се различни.', 'deleted_at' => 'deleted at',
'digits' => 'Полето :attribute треба да има :digits цифри.', 'description' => 'опис',
'digits_between' => 'Полето :attribute треба да има помеѓу :min и :max цифри.', 'district' => 'district',
'dimensions' => 'Полето :attribute има невалидни димензии.', 'duration' => 'duration',
'distinct' => 'Полето :attribute има вредност која е дупликат.', 'email' => 'е-mail адреса',
'doesnt_end_with' => 'The :attribute may not end with one of the following: :values.', 'excerpt' => 'извадок',
'doesnt_start_with' => 'The :attribute may not start with one of the following: :values.', 'filter' => 'filter',
'email' => 'Полето :attribute не е во валиден формат.', 'first_name' => 'име',
'ends_with' => 'Полето :attribute мора да завршува со една од следните вредности: :values.', 'gender' => 'пол',
'enum' => 'The selected :attribute is invalid.', 'group' => 'group',
'exists' => 'Полето :attribute има вредност која веќе постои.', 'hour' => 'час',
'file' => 'Полето :attribute мора да биде датотека.', 'image' => 'image',
'filled' => 'Полето :attribute мора да има вредност.', 'last_name' => 'презиме',
'gt' => [ 'lesson' => 'lesson',
'array' => 'Полето :attribute мора да има повеке од :value елементи.', 'line_address_1' => 'line address 1',
'file' => 'Полето :attribute мора да биде датотека поголема од :value килобајти.', 'line_address_2' => 'line address 2',
'numeric' => 'Полето :attribute мора да биде број поголем од :value.', 'message' => 'порака',
'string' => 'Полето :attribute мора да биде текст со повеќе од :value карактери.', 'middle_name' => 'middle name',
], 'minute' => 'минута',
'gte' => [ 'mobile' => 'мобилен',
'array' => 'Полето :attribute мора да има :value елементи или повеќе.', 'month' => 'месец',
'file' => 'Полето :attribute мора да биде датотека поголема или еднаква на :value килобајти.', 'name' => 'име',
'numeric' => 'Полето :attribute мора да биде број поголем или еднаков на :value.', 'national_code' => 'national code',
'string' => 'Полето :attribute мора да биде текст со повеќе или еднаков на :value број на карактери.', 'number' => 'number',
], 'password' => 'лозинка',
'image' => 'Полето :attribute мора да биде слика.', 'password_confirmation' => 'повтори ја лозинката',
'in' => 'Избраното поле :attribute е невалидно.', 'phone' => 'телефон',
'in_array' => 'Полето :attribute не содржи вредност која постои во :other.', 'photo' => 'photo',
'integer' => 'Полето :attribute мора да биде цел број.', 'postal_code' => 'postal code',
'ip' => 'Полето :attribute мора да биде валидна IP адреса.', 'price' => 'price',
'ipv4' => 'Полето :attribute мора да биде валидна IPv4 адреса.', 'province' => 'province',
'ipv6' => 'Полето :attribute мора да биде валидна IPv6 адреса.', 'recaptcha_response_field' => 'recaptcha response field',
'json' => 'Полето :attribute мора да биде валиден JSON објект.', 'remember' => 'remember',
'lowercase' => 'The :attribute must be lowercase.', 'restored_at' => 'restored at',
'lt' => [ 'result_text_under_image' => 'result text under image',
'array' => 'Полето :attribute мора да има помалку од :value елементи.', 'role' => 'role',
'file' => 'Полето :attribute мора да биде датотека помала од :value килобајти.', 'second' => 'секунда',
'numeric' => 'Полето :attribute мора да биде број помал од :value.', 'sex' => 'пол',
'string' => 'Полето :attribute мора да биде текст помал од :value број на карактери.', 'short_text' => 'short text',
], 'size' => 'size',
'lte' => [ 'state' => 'state',
'array' => 'Полето :attribute мора да има :value елементи или помалку.', 'street' => 'street',
'file' => 'Полето :attribute мора да биде датотека помала или еднаква на :value килобајти.', 'student' => 'student',
'numeric' => 'Полето :attribute мора да биде број помал или еднаков на :value.', 'subject' => 'наслов',
'string' => 'Полето :attribute мора да биде текст со помалку или еднаков на :value број на карактери.', 'teacher' => 'teacher',
], 'terms' => 'terms',
'mac_address' => 'The :attribute must be a valid MAC address.', 'test_description' => 'test description',
'max' => [ 'test_locale' => 'test locale',
'array' => 'Полето :attribute не може да има повеќе од :max елементи.', 'test_name' => 'test name',
'file' => 'Полето :attribute мора да биде датотека не поголема од :max килобајти.', 'text' => 'text',
'numeric' => 'Полето :attribute мора да биде број не поголем од :max.', 'time' => 'време',
'string' => 'Полето :attribute мора да има не повеќе од :max карактери.', 'title' => 'наслов',
], 'updated_at' => 'updated at',
'max_digits' => 'The :attribute must not have more than :max digits.', 'username' => 'корисничко име',
'mimes' => 'Полето :attribute мора да биде датотека од типот: :values.', 'year' => 'година',
'mimetypes' => 'Полето :attribute мора да биде датотека од типот: :values.', ),
'min' => [ 'before' => 'Полето :attribute мора да биде датум пред :date.',
'array' => 'Полето :attribute мора да има минимум :min елементи.', 'before_or_equal' => 'Полето :attribute мора да биде датум пред или еднаков на :date.',
'file' => 'Полето :attribute мора да биде датотека не помала од :min килобајти.', 'between' =>
'numeric' => 'Полето :attribute мора да биде број не помал од :min.', array (
'string' => 'Полето :attribute мора да има не помалку од :min карактери.', 'array' => 'Полето :attribute мора да има помеѓу :min - :max елементи.',
], 'file' => 'Полето :attribute мора да биде датотека со големина помеѓу :min и :max килобајти.',
'min_digits' => 'The :attribute must have at least :min digits.', 'numeric' => 'Полето :attribute мора да биде број помеѓу :min и :max.',
'multiple_of' => 'Полето :attribute мора да биде повеќекратна вредност од :value', 'string' => 'Полето :attribute мора да биде текст со должина помеѓу :min и :max карактери.',
'not_in' => 'Избраното поле :attribute е невалидно.', ),
'not_regex' => 'Полето :attribute има невалиден формат.', 'boolean' => 'Полето :attribute мора да има вредност вистинито (true) или невистинито (false).',
'numeric' => 'Полето :attribute мора да биде број.', 'confirmed' => 'Полето :attribute не е потврдено.',
'password' => [ 'current_password' => 'The password is incorrect.',
'letters' => 'The :attribute must contain at least one letter.', 'date' => 'Полето :attribute не е валиден датум.',
'mixed' => 'The :attribute must contain at least one uppercase and one lowercase letter.', 'date_equals' => 'Полето :attribute мора да биде датум еднаков на :date.',
'numbers' => 'The :attribute must contain at least one number.', 'date_format' => 'Полето :attribute не одговара на форматот :format.',
'symbols' => 'The :attribute must contain at least one symbol.', 'declined' => 'The :attribute must be declined.',
'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.', 'declined_if' => 'The :attribute must be declined when :other is :value.',
], 'different' => 'Полињата :attribute и :other треба да се различни.',
'present' => 'Полето :attribute мора да биде присутно.', 'digits' => 'Полето :attribute треба да има :digits цифри.',
'prohibited' => 'Во :attribute година полето е забрането.', 'digits_between' => 'Полето :attribute треба да има помеѓу :min и :max цифри.',
'prohibited_if' => 'На :attribute поле е забрането кога :other е :value.', 'dimensions' => 'Полето :attribute има невалидни димензии.',
'prohibited_unless' => 'На :attribute поле е забранета освен ако не :other е во :values.', 'distinct' => 'Полето :attribute има вредност која е дупликат.',
'prohibits' => 'The :attribute field prohibits :other from being present.', 'doesnt_end_with' => 'The :attribute may not end with one of the following: :values.',
'regex' => 'Полето :attribute има невалиден формат.', 'doesnt_start_with' => 'The :attribute may not start with one of the following: :values.',
'relatable' => 'Оваа :attribute може да не биде поврзана со овој ресурс.', 'email' => 'Полето :attribute не е во валиден формат.',
'required' => 'Полето :attribute е задолжително.', 'ends_with' => 'Полето :attribute мора да завршува со една од следните вредности: :values.',
'required_array_keys' => 'The :attribute field must contain entries for: :values.', 'enum' => 'The selected :attribute is invalid.',
'required_if' => 'Полето :attribute е задолжително кога :other е :value.', 'exists' => 'Полето :attribute има вредност која веќе постои.',
'required_if_accepted' => 'The :attribute field is required when :other is accepted.', 'file' => 'Полето :attribute мора да биде датотека.',
'required_unless' => 'Полето :attribute е задолжително освен кога :other е во :values.', 'filled' => 'Полето :attribute мора да има вредност.',
'required_with' => 'Полето :attribute е задолжително кога е внесено :values.', 'gt' =>
'required_with_all' => 'Полето :attribute е задолжително кога :values се присутни.', array (
'required_without' => 'Полето :attribute е задолжително кога не е присутно :values.', 'array' => 'Полето :attribute мора да има повеке од :value елементи.',
'required_without_all' => 'Полето :attribute е задолжително кога ниту една вредност од следните: :values се присутни.', 'file' => 'Полето :attribute мора да биде датотека поголема од :value килобајти.',
'same' => 'Полињата :attribute и :other треба да совпаѓаат.', 'numeric' => 'Полето :attribute мора да биде број поголем од :value.',
'size' => [ 'string' => 'Полето :attribute мора да биде текст со повеќе од :value карактери.',
'array' => 'Полето :attribute мора да биде низа со :size број на елементи.', ),
'file' => 'Полето :attribute мора да биде датотека со големина од :size килобајти.', 'gte' =>
'numeric' => 'Полето :attribute мора да биде број со вредност :size.', array (
'string' => 'Полето :attribute мора да биде текст со должина од :size број на карактери.', 'array' => 'Полето :attribute мора да има :value елементи или повеќе.',
], 'file' => 'Полето :attribute мора да биде датотека поголема или еднаква на :value килобајти.',
'starts_with' => 'Полето :attribute мора да започнува со една од следните вредности: :values.', 'numeric' => 'Полето :attribute мора да биде број поголем или еднаков на :value.',
'string' => 'Полето :attribute мора да биде текст.', 'string' => 'Полето :attribute мора да биде текст со повеќе или еднаков на :value број на карактери.',
'timezone' => 'Полето :attribute мора да биде валидна временска зона.', ),
'unique' => 'Полето :attribute веќе постои.', 'image' => 'Полето :attribute мора да биде слика.',
'uploaded' => ':Attribute не е прикачен.', 'in' => 'Избраното поле :attribute е невалидно.',
'uppercase' => 'The :attribute must be uppercase.', 'in_array' => 'Полето :attribute не содржи вредност која постои во :other.',
'url' => 'Полето :attribute не е во валиден формат.', 'integer' => 'Полето :attribute мора да биде цел број.',
'uuid' => 'Полето :attribute мора да биде валиден УУИД.', 'ip' => 'Полето :attribute мора да биде валидна IP адреса.',
'attributes' => [ 'ipv4' => 'Полето :attribute мора да биде валидна IPv4 адреса.',
'address' => 'адреса', 'ipv6' => 'Полето :attribute мора да биде валидна IPv6 адреса.',
'age' => 'години', 'json' => 'Полето :attribute мора да биде валиден JSON објект.',
'amount' => 'amount', 'lowercase' => 'The :attribute must be lowercase.',
'area' => 'area', 'lt' =>
'available' => 'available', array (
'birthday' => 'birthday', 'array' => 'Полето :attribute мора да има помалку од :value елементи.',
'body' => 'основен текст на порака', 'file' => 'Полето :attribute мора да биде датотека помала од :value килобајти.',
'city' => 'град', 'numeric' => 'Полето :attribute мора да биде број помал од :value.',
'content' => 'content', 'string' => 'Полето :attribute мора да биде текст помал од :value број на карактери.',
'country' => 'држава', ),
'created_at' => 'created at', 'lte' =>
'creator' => 'creator', array (
'current_password' => 'current password', 'array' => 'Полето :attribute мора да има :value елементи или помалку.',
'date' => 'датум', 'file' => 'Полето :attribute мора да биде датотека помала или еднаква на :value килобајти.',
'date_of_birth' => 'date of birth', 'numeric' => 'Полето :attribute мора да биде број помал или еднаков на :value.',
'day' => 'ден', 'string' => 'Полето :attribute мора да биде текст со помалку или еднаков на :value број на карактери.',
'deleted_at' => 'deleted at', ),
'description' => 'опис', 'mac_address' => 'The :attribute must be a valid MAC address.',
'district' => 'district', 'max' =>
'duration' => 'duration', array (
'email' => 'е-mail адреса', 'array' => 'Полето :attribute не може да има повеќе од :max елементи.',
'excerpt' => 'извадок', 'file' => 'Полето :attribute мора да биде датотека не поголема од :max килобајти.',
'filter' => 'filter', 'numeric' => 'Полето :attribute мора да биде број не поголем од :max.',
'first_name' => 'име', 'string' => 'Полето :attribute мора да има не повеќе од :max карактери.',
'gender' => 'пол', ),
'group' => 'group', 'max_digits' => 'The :attribute must not have more than :max digits.',
'hour' => 'час', 'mimes' => 'Полето :attribute мора да биде датотека од типот: :values.',
'image' => 'image', 'mimetypes' => 'Полето :attribute мора да биде датотека од типот: :values.',
'last_name' => 'презиме', 'min' =>
'lesson' => 'lesson', array (
'line_address_1' => 'line address 1', 'array' => 'Полето :attribute мора да има минимум :min елементи.',
'line_address_2' => 'line address 2', 'file' => 'Полето :attribute мора да биде датотека не помала од :min килобајти.',
'message' => 'порака', 'numeric' => 'Полето :attribute мора да биде број не помал од :min.',
'middle_name' => 'middle name', 'string' => 'Полето :attribute мора да има не помалку од :min карактери.',
'minute' => 'минута', ),
'mobile' => 'мобилен', 'min_digits' => 'The :attribute must have at least :min digits.',
'month' => 'месец', 'multiple_of' => 'Полето :attribute мора да биде повеќекратна вредност од :value',
'name' => 'име', 'not_in' => 'Избраното поле :attribute е невалидно.',
'national_code' => 'national code', 'not_regex' => 'Полето :attribute има невалиден формат.',
'number' => 'number', 'numeric' => 'Полето :attribute мора да биде број.',
'password' => 'лозинка', 'password' =>
'password_confirmation' => 'повтори ја лозинката', array (
'phone' => 'телефон', 'letters' => 'The :attribute must contain at least one letter.',
'photo' => 'photo', 'mixed' => 'The :attribute must contain at least one uppercase and one lowercase letter.',
'postal_code' => 'postal code', 'numbers' => 'The :attribute must contain at least one number.',
'price' => 'price', 'symbols' => 'The :attribute must contain at least one symbol.',
'province' => 'province', 'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.',
'recaptcha_response_field' => 'recaptcha response field', ),
'remember' => 'remember', 'present' => 'Полето :attribute мора да биде присутно.',
'restored_at' => 'restored at', 'prohibited' => 'Во :attribute година полето е забрането.',
'result_text_under_image' => 'result text under image', 'prohibited_if' => 'На :attribute поле е забрането кога :other е :value.',
'role' => 'role', 'prohibited_unless' => 'На :attribute поле е забранета освен ако не :other е во :values.',
'second' => 'секунда', 'prohibits' => 'The :attribute field prohibits :other from being present.',
'sex' => 'пол', 'regex' => 'Полето :attribute има невалиден формат.',
'short_text' => 'short text', 'relatable' => 'Оваа :attribute може да не биде поврзана со овој ресурс.',
'size' => 'size', 'required' => 'Полето :attribute е задолжително.',
'state' => 'state', 'required_array_keys' => 'The :attribute field must contain entries for: :values.',
'street' => 'street', 'required_if' => 'Полето :attribute е задолжително кога :other е :value.',
'student' => 'student', 'required_if_accepted' => 'The :attribute field is required when :other is accepted.',
'subject' => 'наслов', 'required_unless' => 'Полето :attribute е задолжително освен кога :other е во :values.',
'teacher' => 'teacher', 'required_with' => 'Полето :attribute е задолжително кога е внесено :values.',
'terms' => 'terms', 'required_with_all' => 'Полето :attribute е задолжително кога :values се присутни.',
'test_description' => 'test description', 'required_without' => 'Полето :attribute е задолжително кога не е присутно :values.',
'test_locale' => 'test locale', 'required_without_all' => 'Полето :attribute е задолжително кога ниту една вредност од следните: :values се присутни.',
'test_name' => 'test name', 'same' => 'Полињата :attribute и :other треба да совпаѓаат.',
'text' => 'text', 'size' =>
'time' => 'време', array (
'title' => 'наслов', 'array' => 'Полето :attribute мора да биде низа со :size број на елементи.',
'updated_at' => 'updated at', 'file' => 'Полето :attribute мора да биде датотека со големина од :size килобајти.',
'username' => 'корисничко име', 'numeric' => 'Полето :attribute мора да биде број со вредност :size.',
'year' => 'година', 'string' => 'Полето :attribute мора да биде текст со должина од :size број на карактери.',
], ),
]; 'starts_with' => 'Полето :attribute мора да започнува со една од следните вредности: :values.',
'string' => 'Полето :attribute мора да биде текст.',
'timezone' => 'Полето :attribute мора да биде валидна временска зона.',
'unique' => 'Полето :attribute веќе постои.',
'uploaded' => ':Attribute не е прикачен.',
'uppercase' => 'The :attribute must be uppercase.',
'url' => 'Полето :attribute не е во валиден формат.',
'uuid' => 'Полето :attribute мора да биде валиден УУИД.',
);

View File

@@ -201,5 +201,405 @@
"You may delete any of your existing tokens if they are no longer needed.": "Możesz usunąć niektóre z istniejących tokenów, jeżeli nie są już potrzebne.", "You may delete any of your existing tokens if they are no longer needed.": "Możesz usunąć niektóre z istniejących tokenów, jeżeli nie są już potrzebne.",
"You may not delete your personal team.": "Nie możesz usunąć swojego osobistego zespołu.", "You may not delete your personal team.": "Nie możesz usunąć swojego osobistego zespołu.",
"You may not leave a team that you created.": "Nie możesz opuścić zespołu, które stworzyłeś", "You may not leave a team that you created.": "Nie możesz opuścić zespołu, które stworzyłeś",
"Your email address is unverified.": "Twój adres e-mail jest niezweryfikowany." "Your email address is unverified.": "Twój adres e-mail jest niezweryfikowany.",
"Book": "",
"Article": "",
"Markdown Article": "",
"Youtube Video": "",
"Vimeo Video": "",
"Podcast Episode": "",
"Downloadable File": "",
"Bitcoin Events": "",
"Country": "",
"Title": "",
"From": "",
"To": "",
"Venue": "",
"Link": "",
"No bookcases found in the radius of 5km": "",
"City": "",
"Search City": "",
"Search Venue": "",
"Course": "",
"Search Course": "",
"Type": "",
"Lecturer": "",
"Actions": "",
"Meetup": "",
"Location": "",
"Start": "",
"Links": "",
"Bookcase": "",
"Created by: :name": "",
"Logo": "",
"Show worldwide": "",
"If checked, the event will be shown everywhere.": "",
"Description": "",
"Created By": "",
"Book Case": "",
"Latitude": "",
"Longitude": "",
"Address": "",
"Open": "",
"Comment": "",
"Contact": "",
"Bcz": "",
"Digital": "",
"Icontype": "",
"Deactivated": "",
"Deactreason": "",
"Entrytype": "",
"Homepage": "",
"OrangePills": "",
"Comments": "",
"Slug": "",
"Courses": "",
"Country: :name": "",
"Venues": "",
"Course Events": "",
"Meetups": "",
"Commentator": "",
"Original text": "",
"Show": "",
"Status": "",
"Created at": "",
"Code: :code": "",
"English name": "",
"Languages": "",
"Cities": "",
"Main picture": "",
"Images": "",
"Upload images here to insert them later in the Markdown Description. But you have to save before.": "",
"Tags": "",
"Markdown is allowed. You can paste images from the \"Images\" field here. Use the link icon of the images for the urls after clicking \"Update and continue\".": "",
"Select here the lecturer who holds the course. If the lecturer is not in the list, create it first under \"Lecturers\".": "",
"Categories": "",
"Course Event": "",
"Image": "",
"Data": "",
"Podcast": "",
"Lecturer\/Content Creator": "",
"Library": "",
"Is public": "",
"Library Item": "",
"Language Code": "",
"Value": "",
"Episode": "",
"Meetup Event": "",
"Locked": "",
"Episodes": "",
"Users": "",
"City: :name": "",
"Street": "",
"Locations": "",
"MIT License": "",
"nova-spatie-permissions::lang.display_names\": \"": "",
"Please copy your new API token. For your security, it won\\'t be shown again.": "",
"Back to the website": "",
"I want to submit new courses on this platform": "",
"Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn\\'t receive the email, we will gladly send you another.": "",
"💊 Orange Pill Now": "",
"Details": "",
"no bitcoin books yet": "",
"Perimeter search course date :name (100km)": "",
"Perimeter search bookcase :name (5km)": "",
"Show dates": "",
"Show content": "",
"Download": "",
"Listen": "",
"Calendar Stream Url copied!": "",
"Paste the calendar stream link into a compatible calendar app.": "",
"Calendar Stream-Url": "",
"URL copied!": "",
"Copy": "",
"Email login": "",
"Email registration": "",
"Zeus bug:": "",
"Bookcases": "",
"Search out a public bookcase": "",
"Built with ❤️ by our team.": "",
"Github": "",
"Wish List\/Feedback": "",
"Translate (:lang :percent%)": "",
"Back to the overview": "",
"Lecturers": "",
"Events": "",
"Library for lecturers": "",
"City search": "",
"World map": "",
"Meetup dates": "",
"Change country": "",
"Change language": "",
"Registration": "",
"Choose your city, search for courses in the surrounding area and select a topic that suits you.": "",
"Content": "",
"Choose a topic that is right for you.": "",
"Search": "",
"Dates": "",
"Einundzwanzig": "",
"Bitcoin Portal": "",
"A Bitcoin community for all.": "",
"Plebs together strong": "",
"Education": "",
"Worldwide": "",
"Reading": "",
"School": "",
"Find Bitcoin courses in your city": "",
"👇 Find a course 👇": "",
"Select a tab": "",
"Lecturer Libraries": "",
"Libraries": "",
"Creator": "",
"Contents": "",
"Calendar Stream-Url for all meetup events": "",
"Bitcoiner": "",
"Plebs together strong 💪": "",
"Bitcoiner Meetups are a great way to meet other Bitcoiners in your area. You can learn from each other, share ideas, and have fun!": "",
"Orange Pill Book Case": "",
"So far here were": "",
"On :asDateTime :name has added :amount Bitcoin books.": "",
"Number of books": "",
"How many bitcoin books have you put in?": "",
"Date": "",
"When did you put bitcoin books in?": "",
"For example, what books you put in.": "",
"Von": "",
"Bis": "",
"Link to the registration": "",
"Submit Meetup": "",
"Register Meetup date": "",
"Register lecturer": "",
"Register course": "",
"Register course date": "",
"Submit contents": "",
"Register event": "",
"My profile": "",
"When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone\\'s Google Authenticator application.": "",
"To finish enabling two factor authentication, scan the following QR code using your phone\\'s authenticator application or enter the setup key and provide the generated OTP code.": "",
"Two factor authentication is now enabled. Scan the following QR code using your phone\\'s authenticator application or enter the setup key.": "",
"Update your account\\'s profile information and email address.": "",
"Timezone": "",
"The team\\'s name and owner information.": "",
"You can use <a href=\"https:\/\/spatie.be\/markdown\" target=\"_blank\" rel=\"nofollow noopener noreferrer\">Markdown<\/a>": "",
"Unsubscribe from receive notification about :commentableName": "",
"The comment has been approved.": "",
"Do you want to approve the comment?": "",
"Approve": "",
"The comment has been rejected.": "",
"Do you want to reject the comment?": "",
"You have been unsubscribed.": "",
"You have been unsubscribed from every comment notification.": "",
"Do you want to unsubscribe from every comment notification?": "",
"Do you want to unsubscribe?": "",
"Dismiss": "",
"close": "",
"Rotate -90": "",
"Rotate +90": "",
"Update": "",
"Add New \".concat(e)):this.__(\"Upload New \".concat(e))},mustCrop:function(){return\"mustCrop\"in this.field&&this.field.mustCrop}},watch:{modelValue:function(e){this.images=e||[]},images:function(e,t){this.queueNewImages(e,t),this.$emit(\"update:modelValue": "",
"Maximum file size is :amount MB": "",
"File type must be: :types": "",
"Uploading": "",
"Do you really want to leave? You have unsaved changes.": "",
"*": "",
"Select": "",
"Existing Media": "",
"Search by name or file name": "",
"No results found": "",
"Load Next Page": "",
"Add Existing \".concat(e)):this.__(\"Use Existing \".concat(e))}},methods:{setInitialValue:function(){var e=this.field.value||[];this.field.multiple||(e=e.slice(0,1)),this.value=e,this.hasSetInitialValue=!0},fill:function(e){var t=this,n=this.field.attribute;this.value.forEach((function(r,i){var o,a,s;!r.id?r.isVaporUpload?(e.append(\"__media__[\".concat(n,\"][": "",
"nova-spatie-permissions::lang.display_names.'.$this->name);\n\t\t\t})->canSee(function (){\n\t\t\t\treturn is_array(__('nova-spatie-permissions::lang.display_names": "",
"This will go in the JSON array": "",
"This will also go in the JSON array": "",
"trans": "",
"Go Home": "",
"Whoops": "",
"We're lost in space. The page you were trying to view does not exist.": "",
"Hold Up!": "",
"The government won't let us show you what's behind these doors": "",
":-(": "",
"Nova experienced an unrecoverable error.": "",
"Toggle Collapsed": "",
"This resource no longer exists": "",
":resource Details: :title": "",
"Soft Deleted": "",
"View": "",
"Edit": "",
"The resource was attached!": "",
"Attach :resource": "",
"No additional information...": "",
"Choose :resource": "",
"Attach & Attach Another": "",
"The resource was updated!": "",
"Update attached :resource: :title": "",
"Choose :field": "",
"Update & Continue Editing": "",
"Update :resource": "",
"Toggle Sidebar": "",
"Close Sidebar": "",
"Sorry, your session has expired.": "",
"Reload": "",
"There was a problem executing the action.": "",
"The action was executed successfully.": "",
"There was a problem submitting the form.": "",
"Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "",
"Standalone Actions": "",
"Select Action": "",
"Stop Polling": "",
"Start Polling": "",
"Show Cards": "",
"Hide Cards": "",
"The HasOne relationship has already been filled.": "",
"The HasOneThrough relationship has already been filled.": "",
"The :resource was created!": "",
"Create :resource": "",
"Create & Add Another": "",
"Attach": "",
"Restore Selected": "",
"Force Delete Selected": "",
"Trash Dropdown": "",
"Force Delete Resource": "",
"Are you sure you want to force delete the selected resources?": "",
"The :resource was deleted!": "",
"The :resource was restored!": "",
"Replicate": "",
"Impersonate": "",
"Delete Resource": "",
"Restore Resource": "",
"Resource Row Dropdown": "",
"Preview": "",
"Select this page": "",
"Select all": "",
"Select All Dropdown": "",
"Light": "",
"Dark": "",
"System": "",
"Hide Content": "",
"Show Content": "",
"Reset Filters": "",
"With Trashed": "",
"Only Trashed": "",
"Trashed": "",
"Per Page": "",
"Filter Dropdown": "",
"Choose date": "",
"—": "",
"Press \/ to search": "",
"No Results Found.": "",
"No :resource matched the given criteria.": "",
"Failed to load :resource!": "",
"Click to choose": "",
"Lens Dropdown": "",
"Unregistered": "",
"total": "",
"Select Ranges": "",
"No Increase": "",
"No Prior Data": "",
"No Current Data": "",
"No Data": "",
"Delete File": "",
"Are you sure you want to delete this file?": "",
"Are you sure you want to \"+o.mode+\" the selected resources?": "",
"Previewing": "",
"View :resource": "",
"There are no fields to display.": "",
"Are you sure you want to restore the selected resources?": "",
"Restore": "",
"Are you sure you want to delete this notification?": "",
"Notifications": "",
"Mark all as Read": "",
"There are no new notifications.": "",
"Load :perPage More": "",
"All resources loaded.": "",
":amount Total": "",
"Previous": "",
"Next": "",
"Copy to clipboard": "",
"There's nothing configured to show here.": "",
"Selected Resources": "",
"Controls": "",
"Select Resource :title": "",
"Edit Attached": "",
"Are you sure you want to restore this resource?": "",
"Show more": "",
"Are you sure you want to log out?": "",
"Are you sure you want to stop impersonating?": "",
"Nova User": "",
"Stop Impersonating": "",
":name's Avatar": "",
"Something went wrong.": "",
"Yes": "",
"No": "",
"Show All Fields": "",
"End": "",
"Min": "",
"Max": "",
"Sorry! You are not authorized to perform this action.": "",
"The file was deleted!": "",
"There was a problem fetching the resource.": "",
"Write": "",
"Choose Type": "",
"There are no available options for this resource.": "",
"Choose": "",
"Choose an option": "",
"Customize": "",
"An error occurred while uploading the file.": "",
"Refresh": "",
"Forgot Password": "",
"Log In": "",
"Welcome Back!": "",
"The :resource was updated!": "",
"Update :resource: :title": "",
"Choose Files": "",
"Choose File": "",
"Drop files or click to choose": "",
"Drop file or click to choose": "",
"Choose a file": "",
"&mdash;": "",
"The image could not be loaded.": "",
":name\\\\'s Avatar": "",
"taylorotwell": "",
"Laravel Nova": "",
"Laravel Nova :version": "",
"Are you sure you want to ' + mode + ' the selected resources?": "",
":name\\'s Avatar": "",
"ID": "",
"Action Name": "",
"Action Initiated By": "",
"Action Target": "",
"Action Status": "",
"Waiting": "",
"Running": "",
"Failed": "",
"Original": "",
"Changes": "",
"Exception": "",
"Action Happened At": "",
"Action": "",
"CSV (.csv)": "",
"Excel (.xlsx)": "",
"Filename": "",
"30 Days": "",
"60 Days": "",
"90 Days": "",
"365 Days": "",
"Today": "",
"Month To Date": "",
"Quarter To Date": "",
"Year To Date": "",
"Unable to find Resource for model [:model].": "",
"The resource was prevented from being saved!": "",
"Loading": "",
"Finished": "",
"Key": "",
"Add row": "",
"Resources": "",
"Dashboards": "",
"Replicate :resource": "",
"time": "",
"All Columns": "",
"All": "",
"N\/A": "",
"Add tags...": "",
"Add tag...": ""
} }

View File

@@ -0,0 +1,11 @@
<?php
return array (
'' =>
array (
'' =>
array (
'' => '',
),
),
);

View File

@@ -1,9 +1,7 @@
<?php <?php
declare(strict_types=1); return array (
'failed' => 'Błędny login lub hasło.',
return [ 'password' => 'Hasło jest nieprawidłowe.',
'failed' => 'Błędny login lub hasło.', 'throttle' => 'Za dużo nieudanych prób logowania. Proszę spróbować za :seconds sekund.',
'password' => 'Hasło jest nieprawidłowe.', );
'throttle' => 'Za dużo nieudanych prób logowania. Proszę spróbować za :seconds sekund.',
];

View File

@@ -1,84 +1,82 @@
<?php <?php
declare(strict_types=1); return array (
0 => 'Nieznany błąd',
return [ 'unknownError' => 'Nieznany błąd',
'0' => 'Nieznany błąd', 100 => 'Kontynuuj',
'100' => 'Kontynuuj', 101 => 'Zmieniam protokoły',
'101' => 'Zmieniam protokoły', 102 => 'Procesuję',
'102' => 'Procesuję', 200 => 'OK',
'200' => 'OK', 201 => 'Utworzono',
'201' => 'Utworzono', 202 => 'Zaakceptowano',
'202' => 'Zaakceptowano', 203 => 'Informacje nieautorytatywne',
'203' => 'Informacje nieautorytatywne', 204 => 'Brak treści',
'204' => 'Brak treści', 205 => 'Zresetuj zawartość',
'205' => 'Zresetuj zawartość', 206 => 'Częściowa zawartość',
'206' => 'Częściowa zawartość', 207 => 'Wielostanowy',
'207' => 'Wielostanowy', 208 => 'Już zgłoszone',
'208' => 'Już zgłoszone', 226 => 'Użyto IM',
'226' => 'Użyto IM', 300 => 'Wiele możliwości',
'300' => 'Wiele możliwości', 301 => 'Przeniesiony na stałe',
'301' => 'Przeniesiony na stałe', 302 => 'Znaleziono',
'302' => 'Znaleziono', 303 => 'Zobacz inne',
'303' => 'Zobacz inne', 304 => 'Niezmodyfikowany',
'304' => 'Niezmodyfikowany', 305 => 'Użyj proxy',
'305' => 'Użyj proxy', 307 => 'Tymczasowe przekierowanie',
'307' => 'Tymczasowe przekierowanie', 308 => 'Stałe przekierowanie',
'308' => 'Stałe przekierowanie', 400 => 'Nieprawidłowe żądanie',
'400' => 'Nieprawidłowe żądanie', 401 => 'Nieautoryzowany',
'401' => 'Nieautoryzowany', 402 => 'Płatność wymagana',
'402' => 'Płatność wymagana', 403 => 'Zabroniony',
'403' => 'Zabroniony', 404 => 'Nie znaleziono strony',
'404' => 'Nie znaleziono strony', 405 => 'Metoda Niedozwolona',
'405' => 'Metoda Niedozwolona', 406 => 'Niedopuszczalne',
'406' => 'Niedopuszczalne', 407 => 'Wymagane Uwierzytelnianie Proxy',
'407' => 'Wymagane Uwierzytelnianie Proxy', 408 => 'Upłynął Limit czasu żądania',
'408' => 'Upłynął Limit czasu żądania', 409 => 'Konflikt',
'409' => 'Konflikt', 410 => 'Zniknął',
'410' => 'Zniknął', 411 => 'Wymagana długość',
'411' => 'Wymagana długość', 412 => 'Warunek wstępny nie powiódł się',
'412' => 'Warunek wstępny nie powiódł się', 413 => 'Ładunek zbyt duży',
'413' => 'Ładunek zbyt duży', 414 => 'Zbyt długi identyfikator URI',
'414' => 'Zbyt długi identyfikator URI', 415 => 'Nieobsługiwany typ nośnika',
'415' => 'Nieobsługiwany typ nośnika', 416 => 'Zakres niezadowalający',
'416' => 'Zakres niezadowalający', 417 => 'Oczekiwanie nie powiodło się',
'417' => 'Oczekiwanie nie powiodło się', 418 => 'Jestem czajnikiem',
'418' => 'Jestem czajnikiem', 419 => 'Sesja wygasła',
'419' => 'Sesja wygasła', 421 => 'Błędnie skierowane żądanie',
'421' => 'Błędnie skierowane żądanie', 422 => 'Podmiot Nieprzetwarzalny',
'422' => 'Podmiot Nieprzetwarzalny', 423 => 'Zablokowany',
'423' => 'Zablokowany', 424 => 'Nieudana zależność',
'424' => 'Nieudana zależność', 425 => 'Za wcześnie',
'425' => 'Za wcześnie', 426 => 'Wymagana aktualizacja',
'426' => 'Wymagana aktualizacja', 428 => 'Wymagany warunek wstępny',
'428' => 'Wymagany warunek wstępny', 429 => 'Zbyt wiele żądań',
'429' => 'Zbyt wiele żądań', 431 => 'Za duże pola nagłówka żądania',
'431' => 'Za duże pola nagłówka żądania', 444 => 'Połączenie zamknięte bez odpowiedzi',
'444' => 'Połączenie zamknięte bez odpowiedzi', 449 => 'Spróbuj ponownie z',
'449' => 'Spróbuj ponownie z', 451 => 'Niedostępne ze względów prawnych',
'451' => 'Niedostępne ze względów prawnych', 499 => 'Zamknięte żądanie klienta',
'499' => 'Zamknięte żądanie klienta', 500 => 'Wewnętrzny błąd serwera',
'500' => 'Wewnętrzny błąd serwera', 501 => 'Nie zaimplementowano',
'501' => 'Nie zaimplementowano', 502 => 'Zła brama',
'502' => 'Zła brama', 503 => 'Tryb konserwacji',
'503' => 'Tryb konserwacji', 504 => 'Przekroczenie limitu czasu bramy',
'504' => 'Przekroczenie limitu czasu bramy', 505 => 'Wersja HTTP nie jest obsługiwana',
'505' => 'Wersja HTTP nie jest obsługiwana', 506 => 'Wariant również negocjuje',
'506' => 'Wariant również negocjuje', 507 => 'Niewystarczające miejsce do przechowywania',
'507' => 'Niewystarczające miejsce do przechowywania', 508 => 'Wykryto pętlę',
'508' => 'Wykryto pętlę', 509 => 'Przekroczono limit przepustowości',
'509' => 'Przekroczono limit przepustowości', 510 => 'Nie rozszerzona',
'510' => 'Nie rozszerzona', 511 => 'Wymagane Uwierzytelnianie Sieci',
'511' => 'Wymagane Uwierzytelnianie Sieci', 520 => 'Nieznany błąd',
'520' => 'Nieznany błąd', 521 => 'Serwer sieciowy nie działa',
'521' => 'Serwer sieciowy nie działa', 522 => 'Przekroczono limit czasu połączenia',
'522' => 'Przekroczono limit czasu połączenia', 523 => 'Pochodzenie jest nieosiągalne',
'523' => 'Pochodzenie jest nieosiągalne', 524 => 'Wystąpił limit czasu',
'524' => 'Wystąpił limit czasu', 525 => 'Nieudane uzgadnianie SSL',
'525' => 'Nieudane uzgadnianie SSL', 526 => 'Nieprawidłowy Certyfikat SSL',
'526' => 'Nieprawidłowy Certyfikat SSL', 527 => 'Błąd Railguna',
'527' => 'Błąd Railguna', 598 => 'Błąd limitu czasu odczytu sieci',
'598' => 'Błąd limitu czasu odczytu sieci', 599 => 'Błąd limitu czasu połączenia sieciowego',
'599' => 'Błąd limitu czasu połączenia sieciowego', );
'unknownError' => 'Nieznany błąd',
];

View File

@@ -1,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
'next' => 'Następna &raquo;',
return [ 'previous' => '&laquo; Poprzednia',
'next' => 'Następna &raquo;', );
'previous' => '&laquo; Poprzednia',
];

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
'reset' => 'Hasło zostało zresetowane!',
return [ 'sent' => 'Przypomnienie hasła zostało wysłane!',
'reset' => 'Hasło zostało zresetowane!', 'throttled' => 'Proszę zaczekać zanim spróbujesz ponownie.',
'sent' => 'Przypomnienie hasła zostało wysłane!', 'token' => 'Token resetowania hasła jest nieprawidłowy.',
'throttled' => 'Proszę zaczekać zanim spróbujesz ponownie.', 'user' => 'Nie znaleziono użytkownika z takim adresem e-mail.',
'token' => 'Token resetowania hasła jest nieprawidłowy.', );
'user' => 'Nie znaleziono użytkownika z takim adresem e-mail.',
];

View File

@@ -0,0 +1,6 @@
<?php
return array (
'first_match' => '',
'third_match' => '',
);

View File

@@ -1,210 +1,218 @@
<?php <?php
declare(strict_types=1); return array (
'accepted' => 'Pole :attribute musi zostać zaakceptowane.',
return [ 'accepted_if' => 'Pole :attribute musi zostać zaakceptowane gdy :other ma wartość :value.',
'accepted' => 'Pole :attribute musi zostać zaakceptowane.', 'active_url' => 'Pole :attribute jest nieprawidłowym adresem URL.',
'accepted_if' => 'Pole :attribute musi zostać zaakceptowane gdy :other ma wartość :value.', 'after' => 'Pole :attribute musi być datą późniejszą od :date.',
'active_url' => 'Pole :attribute jest nieprawidłowym adresem URL.', 'after_or_equal' => 'Pole :attribute musi być datą nie wcześniejszą niż :date.',
'after' => 'Pole :attribute musi być datą późniejszą od :date.', 'alpha' => 'Pole :attribute może zawierać jedynie litery.',
'after_or_equal' => 'Pole :attribute musi być datą nie wcześniejszą niż :date.', 'alpha_dash' => 'Pole :attribute może zawierać jedynie litery, cyfry i myślniki.',
'alpha' => 'Pole :attribute może zawierać jedynie litery.', 'alpha_num' => 'Pole :attribute może zawierać jedynie litery i cyfry.',
'alpha_dash' => 'Pole :attribute może zawierać jedynie litery, cyfry i myślniki.', 'array' => 'Pole :attribute musi być tablicą.',
'alpha_num' => 'Pole :attribute może zawierać jedynie litery i cyfry.', 'attached' => 'Pole :attribute jest już dołączony.',
'array' => 'Pole :attribute musi być tablicą.', 'attributes' =>
'attached' => 'Pole :attribute jest już dołączony.', array (
'before' => 'Pole :attribute musi być datą wcześniejszą od :date.', 'address' => 'adres',
'before_or_equal' => 'Pole :attribute musi być datą nie późniejszą niż :date.', 'age' => 'wiek',
'between' => [ 'amount' => 'ilość',
'array' => 'Pole :attribute musi składać się z :min - :max elementów.', 'area' => 'obszar',
'file' => 'Pole :attribute musi zawierać się w granicach :min - :max kilobajtów.', 'available' => 'dostępny',
'numeric' => 'Pole :attribute musi zawierać się w granicach :min - :max.', 'birthday' => 'urodziny',
'string' => 'Pole :attribute musi zawierać się w granicach :min - :max znaków.', 'body' => 'treść',
], 'city' => 'miasto',
'boolean' => 'Pole :attribute musi mieć wartość logiczną prawda albo fałsz.', 'content' => 'zawartość',
'confirmed' => 'Potwierdzenie pola :attribute nie zgadza się.', 'country' => 'kraj',
'current_password' => 'Hasło jest nieprawidłowe.', 'created_at' => 'utworzono',
'date' => 'Pole :attribute nie jest prawidłową datą.', 'creator' => 'twórca',
'date_equals' => 'Pole :attribute musi być datą równą :date.', 'current_password' => 'aktualne hasło',
'date_format' => 'Pole :attribute nie jest w formacie :format.', 'date' => 'data',
'declined' => 'Pole :attribute musi zostać odrzucony.', 'date_of_birth' => 'data urodzenia',
'declined_if' => 'Pole :attribute musi zostać odrzucony, gdy :other ma wartość :value.', 'day' => 'dzień',
'different' => 'Pole :attribute oraz :other muszą się różnić.', 'deleted_at' => 'skasowano',
'digits' => 'Pole :attribute musi składać się z :digits cyfr.', 'description' => 'opis',
'digits_between' => 'Pole :attribute musi mieć od :min do :max cyfr.', 'district' => 'dzielnica',
'dimensions' => 'Pole :attribute ma niepoprawne wymiary.', 'duration' => 'czas trwania',
'distinct' => 'Pole :attribute ma zduplikowane wartości.', 'email' => 'adres e-mail',
'doesnt_end_with' => 'Pole :attribute nie może kończyć się jednym z następujących wartości: :values.', 'excerpt' => 'wyjątek',
'doesnt_start_with' => 'Pole :attribute nie może zaczynać się od jednego z następujących wartości: :values.', 'filter' => 'filtr',
'email' => 'Pole :attribute nie jest poprawnym adresem e-mail.', 'first_name' => 'imię',
'ends_with' => 'Pole :attribute musi kończyć się jedną z następujących wartości: :values.', 'gender' => 'płeć',
'enum' => 'Pole :attribute ma niepoprawną wartość.', 'group' => 'grupa',
'exists' => 'Zaznaczone pole :attribute jest nieprawidłowe.', 'hour' => 'godzina',
'file' => 'Pole :attribute musi być plikiem.', 'image' => 'obrazek',
'filled' => 'Pole :attribute nie może być puste.', 'last_name' => 'nazwisko',
'gt' => [ 'lesson' => 'lekcja',
'array' => 'Pole :attribute musi mieć więcej niż :value elementów.', 'line_address_1' => 'adres 1',
'file' => 'Pole :attribute musi być większe niż :value kilobajtów.', 'line_address_2' => 'adres 2',
'numeric' => 'Pole :attribute musi być większe niż :value.', 'message' => 'wiadomość',
'string' => 'Pole :attribute musi być dłuższe niż :value znaków.', 'middle_name' => 'drugie imię',
], 'minute' => 'minuta',
'gte' => [ 'mobile' => 'numer telefonu komórkowego',
'array' => 'Pole :attribute musi mieć :value lub więcej elementów.', 'month' => 'miesiąc',
'file' => 'Pole :attribute musi być większe lub równe :value kilobajtów.', 'name' => 'nazwa',
'numeric' => 'Pole :attribute musi być większe lub równe :value.', 'national_code' => 'kod kraju',
'string' => 'Pole :attribute musi być dłuższe lub równe :value znaków.', 'number' => 'numer',
], 'password' => 'hasło',
'image' => 'Pole :attribute musi być obrazkiem.', 'password_confirmation' => 'potwierdzenie hasła',
'in' => 'Zaznaczony element :attribute jest nieprawidłowy.', 'phone' => 'numer telefonu',
'in_array' => 'Pole :attribute nie znajduje się w :other.', 'photo' => 'zdjęcie',
'integer' => 'Pole :attribute musi być liczbą całkowitą.', 'postal_code' => 'kod pocztowy',
'ip' => 'Pole :attribute musi być prawidłowym adresem IP.', 'price' => 'cena',
'ipv4' => 'Pole :attribute musi być prawidłowym adresem IPv4.', 'province' => 'prowincja',
'ipv6' => 'Pole :attribute musi być prawidłowym adresem IPv6.', 'recaptcha_response_field' => 'pole odpowiedzi recaptcha',
'json' => 'Pole :attribute musi być poprawnym ciągiem znaków JSON.', 'remember' => 'zapamiętaj',
'lowercase' => 'The :attribute must be lowercase.', 'restored_at' => 'odtworzono',
'lt' => [ 'result_text_under_image' => 'wynikowy tekst pod obrazkiem',
'array' => 'Pole :attribute musi mieć mniej niż :value elementów.', 'role' => 'rola',
'file' => 'Pole :attribute musi być mniejsze niż :value kilobajtów.', 'second' => 'sekunda',
'numeric' => 'Pole :attribute musi być mniejsze niż :value.', 'sex' => 'płeć',
'string' => 'Pole :attribute musi być krótsze niż :value znaków.', 'short_text' => 'krótki tekst',
], 'size' => 'rozmiar',
'lte' => [ 'state' => 'stan',
'array' => 'Pole :attribute musi mieć :value lub mniej elementów.', 'street' => 'ulica',
'file' => 'Pole :attribute musi być mniejsze lub równe :value kilobajtów.', 'student' => 'uczeń',
'numeric' => 'Pole :attribute musi być mniejsze lub równe :value.', 'subject' => 'temat',
'string' => 'Pole :attribute musi być krótsze lub równe :value znaków.', 'teacher' => 'nauczyciel',
], 'terms' => 'warunki',
'mac_address' => 'Pole :attribute musi być prawidłowym adresem MAC.', 'test_description' => 'testowy opis',
'max' => [ 'test_locale' => 'testowa lokalizacja',
'array' => 'Pole :attribute nie może mieć więcej niż :max elementów.', 'test_name' => 'testowe imię',
'file' => 'Pole :attribute nie może być większe niż :max kilobajtów.', 'text' => 'tekst',
'numeric' => 'Pole :attribute nie może być większe niż :max.', 'time' => 'czas',
'string' => 'Pole :attribute nie może być dłuższe niż :max znaków.', 'title' => 'tytuł',
], 'updated_at' => 'zaktualizowano',
'max_digits' => 'Pole :attribute nie może mieć więcej niż :max cyfr.', 'username' => 'nazwa użytkownika',
'mimes' => 'Pole :attribute musi być plikiem typu :values.', 'year' => 'rok',
'mimetypes' => 'Pole :attribute musi być plikiem typu :values.', ),
'min' => [ 'before' => 'Pole :attribute musi być datą wcześniejszą od :date.',
'array' => 'Pole :attribute musi mieć przynajmniej :min elementów.', 'before_or_equal' => 'Pole :attribute musi być datą nie późniejszą niż :date.',
'file' => 'Pole :attribute musi mieć przynajmniej :min kilobajtów.', 'between' =>
'numeric' => 'Pole :attribute musi być nie mniejsze od :min.', array (
'string' => 'Pole :attribute musi mieć przynajmniej :min znaków.', 'array' => 'Pole :attribute musi składać się z :min - :max elementów.',
], 'file' => 'Pole :attribute musi zawierać się w granicach :min - :max kilobajtów.',
'min_digits' => 'Pole :attribute musi mieć co najmniej :min cyfr.', 'numeric' => 'Pole :attribute musi zawierać się w granicach :min - :max.',
'multiple_of' => 'Pole :attribute musi być wielokrotnością wartości :value', 'string' => 'Pole :attribute musi zawierać się w granicach :min - :max znaków.',
'not_in' => 'Zaznaczony :attribute jest nieprawidłowy.', ),
'not_regex' => 'Format pola :attribute jest nieprawidłowy.', 'boolean' => 'Pole :attribute musi mieć wartość logiczną prawda albo fałsz.',
'numeric' => 'Pole :attribute musi być liczbą.', 'confirmed' => 'Potwierdzenie pola :attribute nie zgadza się.',
'password' => [ 'current_password' => 'Hasło jest nieprawidłowe.',
'letters' => 'Pole :attribute musi zawierać przynajmniej jedną literę.', 'date' => 'Pole :attribute nie jest prawidłową datą.',
'mixed' => 'Pole :attribute musi zawierać przynajmniej jedną wielką i jedną małą literę.', 'date_equals' => 'Pole :attribute musi być datą równą :date.',
'numbers' => 'Pole :attribute musi zawierać przynajmniej jedną liczbę.', 'date_format' => 'Pole :attribute nie jest w formacie :format.',
'symbols' => 'Pole :attribute musi zawierać przynajmniej jeden symbol.', 'declined' => 'Pole :attribute musi zostać odrzucony.',
'uncompromised' => 'Podany :attribute pojawił się w wycieku danych. Proszę wybrać inną wartość :attribute.', 'declined_if' => 'Pole :attribute musi zostać odrzucony, gdy :other ma wartość :value.',
], 'different' => 'Pole :attribute oraz :other muszą się różnić.',
'present' => 'Pole :attribute musi być obecne.', 'digits' => 'Pole :attribute musi składać się z :digits cyfr.',
'prohibited' => 'Pole :attribute jest zabronione.', 'digits_between' => 'Pole :attribute musi mieć od :min do :max cyfr.',
'prohibited_if' => 'Pole :attribute jest zabronione, gdy :other to :value.', 'dimensions' => 'Pole :attribute ma niepoprawne wymiary.',
'prohibited_unless' => 'Pole :attribute jest zabronione, chyba że :other jest w :values.', 'distinct' => 'Pole :attribute ma zduplikowane wartości.',
'prohibits' => 'Pole :attribute zabrania obecności :other.', 'doesnt_end_with' => 'Pole :attribute nie może kończyć się jednym z następujących wartości: :values.',
'regex' => 'Format pola :attribute jest nieprawidłowy.', 'doesnt_start_with' => 'Pole :attribute nie może zaczynać się od jednego z następujących wartości: :values.',
'relatable' => 'Pole :attribute nie może być powiązany z tym zasobem.', 'email' => 'Pole :attribute nie jest poprawnym adresem e-mail.',
'required' => 'Pole :attribute jest wymagane.', 'ends_with' => 'Pole :attribute musi kończyć się jedną z następujących wartości: :values.',
'required_array_keys' => 'Pole :attribute musi zawierać wartości: :values.', 'enum' => 'Pole :attribute ma niepoprawną wartość.',
'required_if' => 'Pole :attribute jest wymagane gdy :other ma wartość :value.', 'exists' => 'Zaznaczone pole :attribute jest nieprawidłowe.',
'required_if_accepted' => 'To pole jest wymagane gdy :other jest zaakceptowane.', 'file' => 'Pole :attribute musi być plikiem.',
'required_unless' => 'Pole :attribute jest wymagane jeżeli :other nie znajduje się w :values.', 'filled' => 'Pole :attribute nie może być puste.',
'required_with' => 'Pole :attribute jest wymagane gdy :values jest obecny.', 'gt' =>
'required_with_all' => 'Pole :attribute jest wymagane gdy wszystkie :values są obecne.', array (
'required_without' => 'Pole :attribute jest wymagane gdy :values nie jest obecny.', 'array' => 'Pole :attribute musi mieć więcej niż :value elementów.',
'required_without_all' => 'Pole :attribute jest wymagane gdy żadne z :values nie są obecne.', 'file' => 'Pole :attribute musi być większe niż :value kilobajtów.',
'same' => 'Pole :attribute i :other mus być takie same.', 'numeric' => 'Pole :attribute musi być większe niż :value.',
'size' => [ 'string' => 'Pole :attribute musi być dłuższe niż :value znaków.',
'array' => 'Pole :attribute musi zawierać :size elementów.', ),
'file' => 'Pole :attribute musi mieć :size kilobajtów.', 'gte' =>
'numeric' => 'Pole :attribute musi mieć :size.', array (
'string' => 'Pole :attribute musi mieć :size znaków.', 'array' => 'Pole :attribute musi mieć :value lub więcej elementów.',
], 'file' => 'Pole :attribute musi być większe lub równe :value kilobajtów.',
'starts_with' => 'Pole :attribute musi zaczynać s jedną z następujących wartości: :values.', 'numeric' => 'Pole :attribute musi być wksze lub równe :value.',
'string' => 'Pole :attribute musi być ciągiem znaków.', 'string' => 'Pole :attribute musi być dłuższe lub równe :value znaków.',
'timezone' => 'Pole :attribute musi być prawidłową strefą czasową.', ),
'unique' => 'Taki :attribute już występuje.', 'image' => 'Pole :attribute musi być obrazkiem.',
'uploaded' => 'Nie udało się wgrać pliku :attribute.', 'in' => 'Zaznaczony element :attribute jest nieprawidłowy.',
'uppercase' => 'The :attribute must be uppercase.', 'in_array' => 'Pole :attribute nie znajduje się w :other.',
'url' => 'Format pola :attribute jest nieprawidłowy.', 'integer' => 'Pole :attribute musi być liczbą całkowitą.',
'uuid' => 'Pole :attribute musi być poprawnym identyfikatorem UUID.', 'ip' => 'Pole :attribute musi być prawidłowym adresem IP.',
'attributes' => [ 'ipv4' => 'Pole :attribute musi być prawidłowym adresem IPv4.',
'address' => 'adres', 'ipv6' => 'Pole :attribute musi być prawidłowym adresem IPv6.',
'age' => 'wiek', 'json' => 'Pole :attribute musi być poprawnym ciągiem znaków JSON.',
'amount' => 'ilość', 'lowercase' => 'The :attribute must be lowercase.',
'area' => 'obszar', 'lt' =>
'available' => 'dostępny', array (
'birthday' => 'urodziny', 'array' => 'Pole :attribute musi mieć mniej niż :value elementów.',
'body' => 'treść', 'file' => 'Pole :attribute musi być mniejsze niż :value kilobajtów.',
'city' => 'miasto', 'numeric' => 'Pole :attribute musi być mniejsze niż :value.',
'content' => 'zawartość', 'string' => 'Pole :attribute musi być krótsze niż :value znaków.',
'country' => 'kraj', ),
'created_at' => 'utworzono', 'lte' =>
'creator' => 'twórca', array (
'current_password' => 'aktualne hasło', 'array' => 'Pole :attribute musi mieć :value lub mniej elementów.',
'date' => 'data', 'file' => 'Pole :attribute musi być mniejsze lub równe :value kilobajtów.',
'date_of_birth' => 'data urodzenia', 'numeric' => 'Pole :attribute musi być mniejsze lub równe :value.',
'day' => 'dzień', 'string' => 'Pole :attribute musi być krótsze lub równe :value znaków.',
'deleted_at' => 'skasowano', ),
'description' => 'opis', 'mac_address' => 'Pole :attribute musi być prawidłowym adresem MAC.',
'district' => 'dzielnica', 'max' =>
'duration' => 'czas trwania', array (
'email' => 'adres e-mail', 'array' => 'Pole :attribute nie może mieć więcej niż :max elementów.',
'excerpt' => 'wyjątek', 'file' => 'Pole :attribute nie może być większe niż :max kilobajtów.',
'filter' => 'filtr', 'numeric' => 'Pole :attribute nie może być większe niż :max.',
'first_name' => 'imię', 'string' => 'Pole :attribute nie może być dłuższe niż :max znaków.',
'gender' => 'płeć', ),
'group' => 'grupa', 'max_digits' => 'Pole :attribute nie może mieć więcej niż :max cyfr.',
'hour' => 'godzina', 'mimes' => 'Pole :attribute musi być plikiem typu :values.',
'image' => 'obrazek', 'mimetypes' => 'Pole :attribute musi być plikiem typu :values.',
'last_name' => 'nazwisko', 'min' =>
'lesson' => 'lekcja', array (
'line_address_1' => 'adres 1', 'array' => 'Pole :attribute musi mieć przynajmniej :min elementów.',
'line_address_2' => 'adres 2', 'file' => 'Pole :attribute musi mieć przynajmniej :min kilobajtów.',
'message' => 'wiadomość', 'numeric' => 'Pole :attribute musi być nie mniejsze od :min.',
'middle_name' => 'drugie imię', 'string' => 'Pole :attribute musi mieć przynajmniej :min znaków.',
'minute' => 'minuta', ),
'mobile' => 'numer telefonu komórkowego', 'min_digits' => 'Pole :attribute musi mieć co najmniej :min cyfr.',
'month' => 'miesiąc', 'multiple_of' => 'Pole :attribute musi być wielokrotnością wartości :value',
'name' => 'nazwa', 'not_in' => 'Zaznaczony :attribute jest nieprawidłowy.',
'national_code' => 'kod kraju', 'not_regex' => 'Format pola :attribute jest nieprawidłowy.',
'number' => 'numer', 'numeric' => 'Pole :attribute musi być liczbą.',
'password' => 'hasło', 'password' =>
'password_confirmation' => 'potwierdzenie hasła', array (
'phone' => 'numer telefonu', 'letters' => 'Pole :attribute musi zawierać przynajmniej jedną literę.',
'photo' => 'zdjęcie', 'mixed' => 'Pole :attribute musi zawierać przynajmniej jedną wielką i jedną małą literę.',
'postal_code' => 'kod pocztowy', 'numbers' => 'Pole :attribute musi zawierać przynajmniej jedną liczbę.',
'price' => 'cena', 'symbols' => 'Pole :attribute musi zawierać przynajmniej jeden symbol.',
'province' => 'prowincja', 'uncompromised' => 'Podany :attribute pojawił się w wycieku danych. Proszę wybrać inną wartość :attribute.',
'recaptcha_response_field' => 'pole odpowiedzi recaptcha', ),
'remember' => 'zapamiętaj', 'present' => 'Pole :attribute musi być obecne.',
'restored_at' => 'odtworzono', 'prohibited' => 'Pole :attribute jest zabronione.',
'result_text_under_image' => 'wynikowy tekst pod obrazkiem', 'prohibited_if' => 'Pole :attribute jest zabronione, gdy :other to :value.',
'role' => 'rola', 'prohibited_unless' => 'Pole :attribute jest zabronione, chyba że :other jest w :values.',
'second' => 'sekunda', 'prohibits' => 'Pole :attribute zabrania obecności :other.',
'sex' => 'płeć', 'regex' => 'Format pola :attribute jest nieprawidłowy.',
'short_text' => 'krótki tekst', 'relatable' => 'Pole :attribute nie może być powiązany z tym zasobem.',
'size' => 'rozmiar', 'required' => 'Pole :attribute jest wymagane.',
'state' => 'stan', 'required_array_keys' => 'Pole :attribute musi zawierać wartości: :values.',
'street' => 'ulica', 'required_if' => 'Pole :attribute jest wymagane gdy :other ma wartość :value.',
'student' => 'uczeń', 'required_if_accepted' => 'To pole jest wymagane gdy :other jest zaakceptowane.',
'subject' => 'temat', 'required_unless' => 'Pole :attribute jest wymagane jeżeli :other nie znajduje się w :values.',
'teacher' => 'nauczyciel', 'required_with' => 'Pole :attribute jest wymagane gdy :values jest obecny.',
'terms' => 'warunki', 'required_with_all' => 'Pole :attribute jest wymagane gdy wszystkie :values są obecne.',
'test_description' => 'testowy opis', 'required_without' => 'Pole :attribute jest wymagane gdy :values nie jest obecny.',
'test_locale' => 'testowa lokalizacja', 'required_without_all' => 'Pole :attribute jest wymagane gdy żadne z :values nie są obecne.',
'test_name' => 'testowe imię', 'same' => 'Pole :attribute i :other muszą być takie same.',
'text' => 'tekst', 'size' =>
'time' => 'czas', array (
'title' => 'tytuł', 'array' => 'Pole :attribute musi zawierać :size elementów.',
'updated_at' => 'zaktualizowano', 'file' => 'Pole :attribute musi mieć :size kilobajtów.',
'username' => 'nazwa użytkownika', 'numeric' => 'Pole :attribute musi mieć :size.',
'year' => 'rok', 'string' => 'Pole :attribute musi mieć :size znaków.',
], ),
]; 'starts_with' => 'Pole :attribute musi zaczynać się jedną z następujących wartości: :values.',
'string' => 'Pole :attribute musi być ciągiem znaków.',
'timezone' => 'Pole :attribute musi być prawidłową strefą czasową.',
'unique' => 'Taki :attribute już występuje.',
'uploaded' => 'Nie udało się wgrać pliku :attribute.',
'uppercase' => 'The :attribute must be uppercase.',
'url' => 'Format pola :attribute jest nieprawidłowy.',
'uuid' => 'Pole :attribute musi być poprawnym identyfikatorem UUID.',
);

View File

@@ -201,5 +201,405 @@
"You may delete any of your existing tokens if they are no longer needed.": "Pode eliminar qualquer um dos tokens existentes caso já não sejam necessários.", "You may delete any of your existing tokens if they are no longer needed.": "Pode eliminar qualquer um dos tokens existentes caso já não sejam necessários.",
"You may not delete your personal team.": "Não pode eliminar a sua equipa pessoal.", "You may not delete your personal team.": "Não pode eliminar a sua equipa pessoal.",
"You may not leave a team that you created.": "Não pode abandonar a equipa que criou.", "You may not leave a team that you created.": "Não pode abandonar a equipa que criou.",
"Your email address is unverified.": "Your email address is unverified." "Your email address is unverified.": "Your email address is unverified.",
"Book": "",
"Article": "",
"Markdown Article": "",
"Youtube Video": "",
"Vimeo Video": "",
"Podcast Episode": "",
"Downloadable File": "",
"Bitcoin Events": "",
"Country": "",
"Title": "",
"From": "",
"To": "",
"Venue": "",
"Link": "",
"No bookcases found in the radius of 5km": "",
"City": "",
"Search City": "",
"Search Venue": "",
"Course": "",
"Search Course": "",
"Type": "",
"Lecturer": "",
"Actions": "",
"Meetup": "",
"Location": "",
"Start": "",
"Links": "",
"Bookcase": "",
"Created by: :name": "",
"Logo": "",
"Show worldwide": "",
"If checked, the event will be shown everywhere.": "",
"Description": "",
"Created By": "",
"Book Case": "",
"Latitude": "",
"Longitude": "",
"Address": "",
"Open": "",
"Comment": "",
"Contact": "",
"Bcz": "",
"Digital": "",
"Icontype": "",
"Deactivated": "",
"Deactreason": "",
"Entrytype": "",
"Homepage": "",
"OrangePills": "",
"Comments": "",
"Slug": "",
"Courses": "",
"Country: :name": "",
"Venues": "",
"Course Events": "",
"Meetups": "",
"Commentator": "",
"Original text": "",
"Show": "",
"Status": "",
"Created at": "",
"Code: :code": "",
"English name": "",
"Languages": "",
"Cities": "",
"Main picture": "",
"Images": "",
"Upload images here to insert them later in the Markdown Description. But you have to save before.": "",
"Tags": "",
"Markdown is allowed. You can paste images from the \"Images\" field here. Use the link icon of the images for the urls after clicking \"Update and continue\".": "",
"Select here the lecturer who holds the course. If the lecturer is not in the list, create it first under \"Lecturers\".": "",
"Categories": "",
"Course Event": "",
"Image": "",
"Data": "",
"Podcast": "",
"Lecturer\/Content Creator": "",
"Library": "",
"Is public": "",
"Library Item": "",
"Language Code": "",
"Value": "",
"Episode": "",
"Meetup Event": "",
"Locked": "",
"Episodes": "",
"Users": "",
"City: :name": "",
"Street": "",
"Locations": "",
"MIT License": "",
"nova-spatie-permissions::lang.display_names\": \"": "",
"Please copy your new API token. For your security, it won\\'t be shown again.": "",
"Back to the website": "",
"I want to submit new courses on this platform": "",
"Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn\\'t receive the email, we will gladly send you another.": "",
"💊 Orange Pill Now": "",
"Details": "",
"no bitcoin books yet": "",
"Perimeter search course date :name (100km)": "",
"Perimeter search bookcase :name (5km)": "",
"Show dates": "",
"Show content": "",
"Download": "",
"Listen": "",
"Calendar Stream Url copied!": "",
"Paste the calendar stream link into a compatible calendar app.": "",
"Calendar Stream-Url": "",
"URL copied!": "",
"Copy": "",
"Email login": "",
"Email registration": "",
"Zeus bug:": "",
"Bookcases": "",
"Search out a public bookcase": "",
"Built with ❤️ by our team.": "",
"Github": "",
"Wish List\/Feedback": "",
"Translate (:lang :percent%)": "",
"Back to the overview": "",
"Lecturers": "",
"Events": "",
"Library for lecturers": "",
"City search": "",
"World map": "",
"Meetup dates": "",
"Change country": "",
"Change language": "",
"Registration": "",
"Choose your city, search for courses in the surrounding area and select a topic that suits you.": "",
"Content": "",
"Choose a topic that is right for you.": "",
"Search": "",
"Dates": "",
"Einundzwanzig": "",
"Bitcoin Portal": "",
"A Bitcoin community for all.": "",
"Plebs together strong": "",
"Education": "",
"Worldwide": "",
"Reading": "",
"School": "",
"Find Bitcoin courses in your city": "",
"👇 Find a course 👇": "",
"Select a tab": "",
"Lecturer Libraries": "",
"Libraries": "",
"Creator": "",
"Contents": "",
"Calendar Stream-Url for all meetup events": "",
"Bitcoiner": "",
"Plebs together strong 💪": "",
"Bitcoiner Meetups are a great way to meet other Bitcoiners in your area. You can learn from each other, share ideas, and have fun!": "",
"Orange Pill Book Case": "",
"So far here were": "",
"On :asDateTime :name has added :amount Bitcoin books.": "",
"Number of books": "",
"How many bitcoin books have you put in?": "",
"Date": "",
"When did you put bitcoin books in?": "",
"For example, what books you put in.": "",
"Von": "",
"Bis": "",
"Link to the registration": "",
"Submit Meetup": "",
"Register Meetup date": "",
"Register lecturer": "",
"Register course": "",
"Register course date": "",
"Submit contents": "",
"Register event": "",
"My profile": "",
"When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone\\'s Google Authenticator application.": "",
"To finish enabling two factor authentication, scan the following QR code using your phone\\'s authenticator application or enter the setup key and provide the generated OTP code.": "",
"Two factor authentication is now enabled. Scan the following QR code using your phone\\'s authenticator application or enter the setup key.": "",
"Update your account\\'s profile information and email address.": "",
"Timezone": "",
"The team\\'s name and owner information.": "",
"You can use <a href=\"https:\/\/spatie.be\/markdown\" target=\"_blank\" rel=\"nofollow noopener noreferrer\">Markdown<\/a>": "",
"Unsubscribe from receive notification about :commentableName": "",
"The comment has been approved.": "",
"Do you want to approve the comment?": "",
"Approve": "",
"The comment has been rejected.": "",
"Do you want to reject the comment?": "",
"You have been unsubscribed.": "",
"You have been unsubscribed from every comment notification.": "",
"Do you want to unsubscribe from every comment notification?": "",
"Do you want to unsubscribe?": "",
"Dismiss": "",
"close": "",
"Rotate -90": "",
"Rotate +90": "",
"Update": "",
"Add New \".concat(e)):this.__(\"Upload New \".concat(e))},mustCrop:function(){return\"mustCrop\"in this.field&&this.field.mustCrop}},watch:{modelValue:function(e){this.images=e||[]},images:function(e,t){this.queueNewImages(e,t),this.$emit(\"update:modelValue": "",
"Maximum file size is :amount MB": "",
"File type must be: :types": "",
"Uploading": "",
"Do you really want to leave? You have unsaved changes.": "",
"*": "",
"Select": "",
"Existing Media": "",
"Search by name or file name": "",
"No results found": "",
"Load Next Page": "",
"Add Existing \".concat(e)):this.__(\"Use Existing \".concat(e))}},methods:{setInitialValue:function(){var e=this.field.value||[];this.field.multiple||(e=e.slice(0,1)),this.value=e,this.hasSetInitialValue=!0},fill:function(e){var t=this,n=this.field.attribute;this.value.forEach((function(r,i){var o,a,s;!r.id?r.isVaporUpload?(e.append(\"__media__[\".concat(n,\"][": "",
"nova-spatie-permissions::lang.display_names.'.$this->name);\n\t\t\t})->canSee(function (){\n\t\t\t\treturn is_array(__('nova-spatie-permissions::lang.display_names": "",
"This will go in the JSON array": "",
"This will also go in the JSON array": "",
"trans": "",
"Go Home": "",
"Whoops": "",
"We're lost in space. The page you were trying to view does not exist.": "",
"Hold Up!": "",
"The government won't let us show you what's behind these doors": "",
":-(": "",
"Nova experienced an unrecoverable error.": "",
"Toggle Collapsed": "",
"This resource no longer exists": "",
":resource Details: :title": "",
"Soft Deleted": "",
"View": "",
"Edit": "",
"The resource was attached!": "",
"Attach :resource": "",
"No additional information...": "",
"Choose :resource": "",
"Attach & Attach Another": "",
"The resource was updated!": "",
"Update attached :resource: :title": "",
"Choose :field": "",
"Update & Continue Editing": "",
"Update :resource": "",
"Toggle Sidebar": "",
"Close Sidebar": "",
"Sorry, your session has expired.": "",
"Reload": "",
"There was a problem executing the action.": "",
"The action was executed successfully.": "",
"There was a problem submitting the form.": "",
"Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "",
"Standalone Actions": "",
"Select Action": "",
"Stop Polling": "",
"Start Polling": "",
"Show Cards": "",
"Hide Cards": "",
"The HasOne relationship has already been filled.": "",
"The HasOneThrough relationship has already been filled.": "",
"The :resource was created!": "",
"Create :resource": "",
"Create & Add Another": "",
"Attach": "",
"Restore Selected": "",
"Force Delete Selected": "",
"Trash Dropdown": "",
"Force Delete Resource": "",
"Are you sure you want to force delete the selected resources?": "",
"The :resource was deleted!": "",
"The :resource was restored!": "",
"Replicate": "",
"Impersonate": "",
"Delete Resource": "",
"Restore Resource": "",
"Resource Row Dropdown": "",
"Preview": "",
"Select this page": "",
"Select all": "",
"Select All Dropdown": "",
"Light": "",
"Dark": "",
"System": "",
"Hide Content": "",
"Show Content": "",
"Reset Filters": "",
"With Trashed": "",
"Only Trashed": "",
"Trashed": "",
"Per Page": "",
"Filter Dropdown": "",
"Choose date": "",
"—": "",
"Press \/ to search": "",
"No Results Found.": "",
"No :resource matched the given criteria.": "",
"Failed to load :resource!": "",
"Click to choose": "",
"Lens Dropdown": "",
"Unregistered": "",
"total": "",
"Select Ranges": "",
"No Increase": "",
"No Prior Data": "",
"No Current Data": "",
"No Data": "",
"Delete File": "",
"Are you sure you want to delete this file?": "",
"Are you sure you want to \"+o.mode+\" the selected resources?": "",
"Previewing": "",
"View :resource": "",
"There are no fields to display.": "",
"Are you sure you want to restore the selected resources?": "",
"Restore": "",
"Are you sure you want to delete this notification?": "",
"Notifications": "",
"Mark all as Read": "",
"There are no new notifications.": "",
"Load :perPage More": "",
"All resources loaded.": "",
":amount Total": "",
"Previous": "",
"Next": "",
"Copy to clipboard": "",
"There's nothing configured to show here.": "",
"Selected Resources": "",
"Controls": "",
"Select Resource :title": "",
"Edit Attached": "",
"Are you sure you want to restore this resource?": "",
"Show more": "",
"Are you sure you want to log out?": "",
"Are you sure you want to stop impersonating?": "",
"Nova User": "",
"Stop Impersonating": "",
":name's Avatar": "",
"Something went wrong.": "",
"Yes": "",
"No": "",
"Show All Fields": "",
"End": "",
"Min": "",
"Max": "",
"Sorry! You are not authorized to perform this action.": "",
"The file was deleted!": "",
"There was a problem fetching the resource.": "",
"Write": "",
"Choose Type": "",
"There are no available options for this resource.": "",
"Choose": "",
"Choose an option": "",
"Customize": "",
"An error occurred while uploading the file.": "",
"Refresh": "",
"Forgot Password": "",
"Log In": "",
"Welcome Back!": "",
"The :resource was updated!": "",
"Update :resource: :title": "",
"Choose Files": "",
"Choose File": "",
"Drop files or click to choose": "",
"Drop file or click to choose": "",
"Choose a file": "",
"&mdash;": "",
"The image could not be loaded.": "",
":name\\\\'s Avatar": "",
"taylorotwell": "",
"Laravel Nova": "",
"Laravel Nova :version": "",
"Are you sure you want to ' + mode + ' the selected resources?": "",
":name\\'s Avatar": "",
"ID": "",
"Action Name": "",
"Action Initiated By": "",
"Action Target": "",
"Action Status": "",
"Waiting": "",
"Running": "",
"Failed": "",
"Original": "",
"Changes": "",
"Exception": "",
"Action Happened At": "",
"Action": "",
"CSV (.csv)": "",
"Excel (.xlsx)": "",
"Filename": "",
"30 Days": "",
"60 Days": "",
"90 Days": "",
"365 Days": "",
"Today": "",
"Month To Date": "",
"Quarter To Date": "",
"Year To Date": "",
"Unable to find Resource for model [:model].": "",
"The resource was prevented from being saved!": "",
"Loading": "",
"Finished": "",
"Key": "",
"Add row": "",
"Resources": "",
"Dashboards": "",
"Replicate :resource": "",
"time": "",
"All Columns": "",
"All": "",
"N\/A": "",
"Add tags...": "",
"Add tag...": ""
} }

View File

@@ -0,0 +1,11 @@
<?php
return array (
'' =>
array (
'' =>
array (
'' => '',
),
),
);

View File

@@ -1,9 +1,7 @@
<?php <?php
declare(strict_types=1); return array (
'failed' => 'As credenciais indicadas não coincidem com as registadas no sistema.',
return [ 'password' => 'A password está errada.',
'failed' => 'As credenciais indicadas não coincidem com as registadas no sistema.', 'throttle' => 'O número limite de tentativas de login foi atingido. Por favor tente novamente dentro de :seconds segundos.',
'password' => 'A password está errada.', );
'throttle' => 'O número limite de tentativas de login foi atingido. Por favor tente novamente dentro de :seconds segundos.',
];

View File

@@ -1,84 +1,82 @@
<?php <?php
declare(strict_types=1); return array (
0 => 'Unknown Error',
return [ 'unknownError' => 'Unknown Error',
'0' => 'Unknown Error', 100 => 'Continue',
'100' => 'Continue', 101 => 'Switching Protocols',
'101' => 'Switching Protocols', 102 => 'Processing',
'102' => 'Processing', 200 => 'OK',
'200' => 'OK', 201 => 'Created',
'201' => 'Created', 202 => 'Accepted',
'202' => 'Accepted', 203 => 'Non-Authoritative Information',
'203' => 'Non-Authoritative Information', 204 => 'No Content',
'204' => 'No Content', 205 => 'Reset Content',
'205' => 'Reset Content', 206 => 'Partial Content',
'206' => 'Partial Content', 207 => 'Multi-Status',
'207' => 'Multi-Status', 208 => 'Already Reported',
'208' => 'Already Reported', 226 => 'IM Used',
'226' => 'IM Used', 300 => 'Multiple Choices',
'300' => 'Multiple Choices', 301 => 'Moved Permanently',
'301' => 'Moved Permanently', 302 => 'Found',
'302' => 'Found', 303 => 'See Other',
'303' => 'See Other', 304 => 'Not Modified',
'304' => 'Not Modified', 305 => 'Use Proxy',
'305' => 'Use Proxy', 307 => 'Temporary Redirect',
'307' => 'Temporary Redirect', 308 => 'Permanent Redirect',
'308' => 'Permanent Redirect', 400 => 'Bad Request',
'400' => 'Bad Request', 401 => 'Unauthorized',
'401' => 'Unauthorized', 402 => 'Payment Required',
'402' => 'Payment Required', 403 => 'Forbidden',
'403' => 'Forbidden', 404 => 'Not Found',
'404' => 'Not Found', 405 => 'Method Not Allowed',
'405' => 'Method Not Allowed', 406 => 'Not Acceptable',
'406' => 'Not Acceptable', 407 => 'Proxy Authentication Required',
'407' => 'Proxy Authentication Required', 408 => 'Request Timeout',
'408' => 'Request Timeout', 409 => 'Conflict',
'409' => 'Conflict', 410 => 'Gone',
'410' => 'Gone', 411 => 'Length Required',
'411' => 'Length Required', 412 => 'Precondition Failed',
'412' => 'Precondition Failed', 413 => 'Payload Too Large',
'413' => 'Payload Too Large', 414 => 'URI Too Long',
'414' => 'URI Too Long', 415 => 'Unsupported Media Type',
'415' => 'Unsupported Media Type', 416 => 'Range Not Satisfiable',
'416' => 'Range Not Satisfiable', 417 => 'Expectation Failed',
'417' => 'Expectation Failed', 418 => 'I\'m a teapot',
'418' => 'I\'m a teapot', 419 => 'Session Has Expired',
'419' => 'Session Has Expired', 421 => 'Misdirected Request',
'421' => 'Misdirected Request', 422 => 'Unprocessable Entity',
'422' => 'Unprocessable Entity', 423 => 'Locked',
'423' => 'Locked', 424 => 'Failed Dependency',
'424' => 'Failed Dependency', 425 => 'Too Early',
'425' => 'Too Early', 426 => 'Upgrade Required',
'426' => 'Upgrade Required', 428 => 'Precondition Required',
'428' => 'Precondition Required', 429 => 'Too Many Requests',
'429' => 'Too Many Requests', 431 => 'Request Header Fields Too Large',
'431' => 'Request Header Fields Too Large', 444 => 'Connection Closed Without Response',
'444' => 'Connection Closed Without Response', 449 => 'Retry With',
'449' => 'Retry With', 451 => 'Unavailable For Legal Reasons',
'451' => 'Unavailable For Legal Reasons', 499 => 'Client Closed Request',
'499' => 'Client Closed Request', 500 => 'Internal Server Error',
'500' => 'Internal Server Error', 501 => 'Not Implemented',
'501' => 'Not Implemented', 502 => 'Bad Gateway',
'502' => 'Bad Gateway', 503 => 'Maintenance Mode',
'503' => 'Maintenance Mode', 504 => 'Gateway Timeout',
'504' => 'Gateway Timeout', 505 => 'HTTP Version Not Supported',
'505' => 'HTTP Version Not Supported', 506 => 'Variant Also Negotiates',
'506' => 'Variant Also Negotiates', 507 => 'Insufficient Storage',
'507' => 'Insufficient Storage', 508 => 'Loop Detected',
'508' => 'Loop Detected', 509 => 'Bandwidth Limit Exceeded',
'509' => 'Bandwidth Limit Exceeded', 510 => 'Not Extended',
'510' => 'Not Extended', 511 => 'Network Authentication Required',
'511' => 'Network Authentication Required', 520 => 'Unknown Error',
'520' => 'Unknown Error', 521 => 'Web Server is Down',
'521' => 'Web Server is Down', 522 => 'Connection Timed Out',
'522' => 'Connection Timed Out', 523 => 'Origin Is Unreachable',
'523' => 'Origin Is Unreachable', 524 => 'A Timeout Occurred',
'524' => 'A Timeout Occurred', 525 => 'SSL Handshake Failed',
'525' => 'SSL Handshake Failed', 526 => 'Invalid SSL Certificate',
'526' => 'Invalid SSL Certificate', 527 => 'Railgun Error',
'527' => 'Railgun Error', 598 => 'Network Read Timeout Error',
'598' => 'Network Read Timeout Error', 599 => 'Network Connect Timeout Error',
'599' => 'Network Connect Timeout Error', );
'unknownError' => 'Unknown Error',
];

View File

@@ -1,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
'next' => 'Próxima &raquo;',
return [ 'previous' => '&laquo; Anterior',
'next' => 'Próxima &raquo;', );
'previous' => '&laquo; Anterior',
];

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
'reset' => 'A palavra-passe foi redefinida!',
return [ 'sent' => 'O lembrete para a palavra-passe foi enviado!',
'reset' => 'A palavra-passe foi redefinida!', 'throttled' => 'Por favor aguarde, antes de tentar novamente.',
'sent' => 'O lembrete para a palavra-passe foi enviado!', 'token' => 'Este código de recuperação da palavra-passe é inválido.',
'throttled' => 'Por favor aguarde, antes de tentar novamente.', 'user' => 'Não existe nenhum utilizador com o e-mail indicado.',
'token' => 'Este código de recuperação da palavra-passe é inválido.', );
'user' => 'Não existe nenhum utilizador com o e-mail indicado.',
];

View File

@@ -0,0 +1,6 @@
<?php
return array (
'first_match' => '',
'third_match' => '',
);

View File

@@ -1,210 +1,218 @@
<?php <?php
declare(strict_types=1); return array (
'accepted' => 'O campo :attribute deverá ser aceite.',
return [ 'accepted_if' => 'O :attribute deve ser aceite quando o :other é :value.',
'accepted' => 'O campo :attribute deverá ser aceite.', 'active_url' => 'O campo :attribute não contém um URL válido.',
'accepted_if' => 'O :attribute deve ser aceite quando o :other é :value.', 'after' => 'O campo :attribute deverá conter uma data posterior a :date.',
'active_url' => 'O campo :attribute não contém um URL válido.', 'after_or_equal' => 'O campo :attribute deverá conter uma data posterior ou igual a :date.',
'after' => 'O campo :attribute deverá conter uma data posterior a :date.', 'alpha' => 'O campo :attribute deverá conter apenas letras.',
'after_or_equal' => 'O campo :attribute deverá conter uma data posterior ou igual a :date.', 'alpha_dash' => 'O campo :attribute deverá conter apenas letras, números e traços.',
'alpha' => 'O campo :attribute deverá conter apenas letras.', 'alpha_num' => 'O campo :attribute deverá conter apenas letras e números .',
'alpha_dash' => 'O campo :attribute deverá conter apenas letras, números e traços.', 'array' => 'O campo :attribute deverá conter uma coleção de elementos.',
'alpha_num' => 'O campo :attribute deverá conter apenas letras e números .', 'attached' => 'Este :attribute já está anexado.',
'array' => 'O campo :attribute deverá conter uma coleção de elementos.', 'attributes' =>
'attached' => 'Este :attribute já está anexado.', array (
'before' => 'O campo :attribute deverá conter uma data anterior a :date.', 'address' => 'address',
'before_or_equal' => 'O Campo :attribute deverá conter uma data anterior ou igual a :date.', 'age' => 'age',
'between' => [ 'amount' => 'amount',
'array' => 'O campo :attribute deverá conter entre :min - :max elementos.', 'area' => 'area',
'file' => 'O campo :attribute deverá ter um tamanho entre :min - :max kilobytes.', 'available' => 'available',
'numeric' => 'O campo :attribute deverá ter um valor entre :min - :max.', 'birthday' => 'birthday',
'string' => 'O campo :attribute deverá conter entre :min - :max caracteres.', 'body' => 'body',
], 'city' => 'city',
'boolean' => 'O campo :attribute deverá conter o valor verdadeiro ou falso.', 'content' => 'content',
'confirmed' => 'A confirmação para o campo :attribute não coincide.', 'country' => 'country',
'current_password' => 'A palavra-passe está incorreta.', 'created_at' => 'created at',
'date' => 'O campo :attribute não contém uma data válida.', 'creator' => 'creator',
'date_equals' => 'O campo :attribute tem de ser uma data igual a :date.', 'current_password' => 'current password',
'date_format' => 'A data indicada para o campo :attribute não respeita o formato :format.', 'date' => 'date',
'declined' => 'O :attribute deve ser recusado.', 'date_of_birth' => 'date of birth',
'declined_if' => 'O :attribute deve ser recusado quando :other é :value.', 'day' => 'day',
'different' => 'Os campos :attribute e :other deverão conter valores diferentes.', 'deleted_at' => 'deleted at',
'digits' => 'O campo :attribute deverá conter :digits caracteres.', 'description' => 'description',
'digits_between' => 'O campo :attribute deverá conter entre :min a :max caracteres.', 'district' => 'district',
'dimensions' => 'O campo :attribute deverá conter uma dimensão de imagem válida.', 'duration' => 'duration',
'distinct' => 'O campo :attribute contém um valor duplicado.', 'email' => 'email',
'doesnt_end_with' => 'The :attribute may not end with one of the following: :values.', 'excerpt' => 'excerpt',
'doesnt_start_with' => 'The :attribute may not start with one of the following: :values.', 'filter' => 'filter',
'email' => 'O campo :attribute não contém um endereço de e-mail válido.', 'first_name' => 'first name',
'ends_with' => 'O campo :attribute deverá terminar com : :values.', 'gender' => 'gender',
'enum' => 'O :attribute selecionado é inválido.', 'group' => 'group',
'exists' => 'O valor selecionado para o campo :attribute é inválido.', 'hour' => 'hour',
'file' => 'O campo :attribute deverá conter um ficheiro.', 'image' => 'image',
'filled' => 'É obrigatória a indicação de um valor para o campo :attribute.', 'last_name' => 'last name',
'gt' => [ 'lesson' => 'lesson',
'array' => 'O campo :attribute tem de ter mais de :value itens.', 'line_address_1' => 'line address 1',
'file' => 'O campo :attribute tem de ter mais de :value quilobytes.', 'line_address_2' => 'line address 2',
'numeric' => 'O campo :attribute tem de ser maior do que :value.', 'message' => 'message',
'string' => 'O campo :attribute tem de ter mais de :value caracteres.', 'middle_name' => 'middle name',
], 'minute' => 'minute',
'gte' => [ 'mobile' => 'mobile',
'array' => 'O campo :attribute tem de ter :value itens ou mais.', 'month' => 'month',
'file' => 'O campo :attribute tem de ter :value quilobytes ou mais.', 'name' => 'name',
'numeric' => 'O campo :attribute tem de ser maior ou igual a :value.', 'national_code' => 'national code',
'string' => 'O campo :attribute tem de ter :value caracteres ou mais.', 'number' => 'number',
], 'password' => 'password',
'image' => 'O campo :attribute deverá conter uma imagem.', 'password_confirmation' => 'password confirmation',
'in' => 'O campo :attribute não contém um valor válido.', 'phone' => 'phone',
'in_array' => 'O campo :attribute não existe em :other.', 'photo' => 'photo',
'integer' => 'O campo :attribute deverá conter um número inteiro.', 'postal_code' => 'postal code',
'ip' => 'O campo :attribute deverá conter um IP válido.', 'price' => 'price',
'ipv4' => 'O campo :attribute deverá conter um IPv4 válido.', 'province' => 'province',
'ipv6' => 'O campo :attribute deverá conter um IPv6 válido.', 'recaptcha_response_field' => 'recaptcha response field',
'json' => 'O campo :attribute deverá conter um texto JSON válido.', 'remember' => 'remember',
'lowercase' => 'The :attribute must be lowercase.', 'restored_at' => 'restored at',
'lt' => [ 'result_text_under_image' => 'result text under image',
'array' => 'O campo :attribute tem de ter menos de :value itens.', 'role' => 'role',
'file' => 'O campo :attribute tem de ter menos de :value quilobytes.', 'second' => 'second',
'numeric' => 'O campo :attribute tem de ser inferior a :value.', 'sex' => 'sex',
'string' => 'O campo :attribute tem de ter menos de :value caracteres.', 'short_text' => 'short text',
], 'size' => 'size',
'lte' => [ 'state' => 'state',
'array' => 'O campo :attribute não pode ter mais de :value itens.', 'street' => 'street',
'file' => 'O campo :attribute tem de ter :value quilobytes ou menos.', 'student' => 'student',
'numeric' => 'O campo :attribute tem de ser inferior ou igual a :value.', 'subject' => 'subject',
'string' => 'O campo :attribute tem de ter :value caracteres ou menos.', 'teacher' => 'teacher',
], 'terms' => 'terms',
'mac_address' => 'O :attribute deve ser um endereço MAC válido.', 'test_description' => 'test description',
'max' => [ 'test_locale' => 'test locale',
'array' => 'O campo :attribute não deverá conter mais de :max elementos.', 'test_name' => 'test name',
'file' => 'O campo :attribute não deverá ter um tamanho superior a :max kilobytes.', 'text' => 'text',
'numeric' => 'O campo :attribute não deverá conter um valor superior a :max.', 'time' => 'time',
'string' => 'O campo :attribute não deverá conter mais de :max caracteres.', 'title' => 'title',
], 'updated_at' => 'updated at',
'max_digits' => 'The :attribute must not have more than :max digits.', 'username' => 'username',
'mimes' => 'O campo :attribute deverá conter um ficheiro do tipo: :values.', 'year' => 'year',
'mimetypes' => 'O campo :attribute deverá conter um ficheiro do tipo: :values.', ),
'min' => [ 'before' => 'O campo :attribute deverá conter uma data anterior a :date.',
'array' => 'O campo :attribute deverá conter no mínimo :min elementos.', 'before_or_equal' => 'O Campo :attribute deverá conter uma data anterior ou igual a :date.',
'file' => 'O campo :attribute deverá ter no mínimo :min kilobytes.', 'between' =>
'numeric' => 'O campo :attribute deverá ter um valor superior ou igual a :min.', array (
'string' => 'O campo :attribute deverá conter no mínimo :min caracteres.', 'array' => 'O campo :attribute deverá conter entre :min - :max elementos.',
], 'file' => 'O campo :attribute deverá ter um tamanho entre :min - :max kilobytes.',
'min_digits' => 'The :attribute must have at least :min digits.', 'numeric' => 'O campo :attribute deverá ter um valor entre :min - :max.',
'multiple_of' => 'O :attribute deve ser um múltiplo de :value', 'string' => 'O campo :attribute deverá conter entre :min - :max caracteres.',
'not_in' => 'O campo :attribute contém um valor inválido.', ),
'not_regex' => 'O formato de :attribute não é válido', 'boolean' => 'O campo :attribute deverá conter o valor verdadeiro ou falso.',
'numeric' => 'O campo :attribute deverá conter um valor numérico.', 'confirmed' => 'A confirmação para o campo :attribute não coincide.',
'password' => [ 'current_password' => 'A palavra-passe está incorreta.',
'letters' => 'The :attribute must contain at least one letter.', 'date' => 'O campo :attribute não contém uma data válida.',
'mixed' => 'The :attribute must contain at least one uppercase and one lowercase letter.', 'date_equals' => 'O campo :attribute tem de ser uma data igual a :date.',
'numbers' => 'The :attribute must contain at least one number.', 'date_format' => 'A data indicada para o campo :attribute não respeita o formato :format.',
'symbols' => 'The :attribute must contain at least one symbol.', 'declined' => 'O :attribute deve ser recusado.',
'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.', 'declined_if' => 'O :attribute deve ser recusado quando :other é :value.',
], 'different' => 'Os campos :attribute e :other deverão conter valores diferentes.',
'present' => 'O campo :attribute deverá estar presente.', 'digits' => 'O campo :attribute deverá conter :digits caracteres.',
'prohibited' => 'O campo :attribute é proibido.', 'digits_between' => 'O campo :attribute deverá conter entre :min a :max caracteres.',
'prohibited_if' => 'O campo :attribute é proibido quando :other é :value.', 'dimensions' => 'O campo :attribute deverá conter uma dimensão de imagem válida.',
'prohibited_unless' => 'O campo :attribute é proibido a menos que :other esteja em :values.', 'distinct' => 'O campo :attribute contém um valor duplicado.',
'prohibits' => 'O campo :attribute proíbe :other de estar presente.', 'doesnt_end_with' => 'The :attribute may not end with one of the following: :values.',
'regex' => 'O formato do valor para o campo :attribute é inválido.', 'doesnt_start_with' => 'The :attribute may not start with one of the following: :values.',
'relatable' => 'Este :attribute pode não estar associado a este recurso.', 'email' => 'O campo :attribute não contém um endereço de e-mail válido.',
'required' => 'É obrigatória a indicação de um valor para o campo :attribute.', 'ends_with' => 'O campo :attribute deverá terminar com : :values.',
'required_array_keys' => 'O campo :attribute deve conter entradas para: :values.', 'enum' => 'O :attribute selecionado é inválido.',
'required_if' => 'É obrigatória a indicação de um valor para o campo :attribute quando o valor do campo :other é igual a :value.', 'exists' => 'O valor selecionado para o campo :attribute é inválido.',
'required_if_accepted' => 'The :attribute field is required when :other is accepted.', 'file' => 'O campo :attribute deverá conter um ficheiro.',
'required_unless' => 'É obrigatória a indicação de um valor para o campo :attribute a menos que :other esteja presente em :values.', 'filled' => 'É obrigatória a indicação de um valor para o campo :attribute.',
'required_with' => 'É obrigatória a indicação de um valor para o campo :attribute quando :values está presente.', 'gt' =>
'required_with_all' => 'É obrigatória a indicação de um valor para o campo :attribute quando um dos :values está presente.', array (
'required_without' => 'É obrigatória a indicação de um valor para o campo :attribute quando :values não está presente.', 'array' => 'O campo :attribute tem de ter mais de :value itens.',
'required_without_all' => 'É obrigatória a indicação de um valor para o campo :attribute quando nenhum dos :values está presente.', 'file' => 'O campo :attribute tem de ter mais de :value quilobytes.',
'same' => 'Os campos :attribute e :other deverão conter valores iguais.', 'numeric' => 'O campo :attribute tem de ser maior do que :value.',
'size' => [ 'string' => 'O campo :attribute tem de ter mais de :value caracteres.',
'array' => 'O campo :attribute deverá conter :size elementos.', ),
'file' => 'O campo :attribute deverá ter o tamanho de :size kilobytes.', 'gte' =>
'numeric' => 'O campo :attribute deverá conter o valor :size.', array (
'string' => 'O campo :attribute deverá conter :size caracteres.', 'array' => 'O campo :attribute tem de ter :value itens ou mais.',
], 'file' => 'O campo :attribute tem de ter :value quilobytes ou mais.',
'starts_with' => 'O campo :attribute tem de começar com um dos valores seguintes: :values', 'numeric' => 'O campo :attribute tem de ser maior ou igual a :value.',
'string' => 'O campo :attribute deverá conter texto.', 'string' => 'O campo :attribute tem de ter :value caracteres ou mais.',
'timezone' => 'O campo :attribute deverá ter um fuso horário válido.', ),
'unique' => 'O valor indicado para o campo :attribute já se encontra registado.', 'image' => 'O campo :attribute deverá conter uma imagem.',
'uploaded' => 'O upload do ficheiro :attribute falhou.', 'in' => 'O campo :attribute não contém um valor válido.',
'uppercase' => 'The :attribute must be uppercase.', 'in_array' => 'O campo :attribute não existe em :other.',
'url' => 'O formato do URL indicado para o campo :attribute é inválido.', 'integer' => 'O campo :attribute deverá conter um número inteiro.',
'uuid' => ':Attribute tem de ser um UUID válido.', 'ip' => 'O campo :attribute deverá conter um IP válido.',
'attributes' => [ 'ipv4' => 'O campo :attribute deverá conter um IPv4 válido.',
'address' => 'address', 'ipv6' => 'O campo :attribute deverá conter um IPv6 válido.',
'age' => 'age', 'json' => 'O campo :attribute deverá conter um texto JSON válido.',
'amount' => 'amount', 'lowercase' => 'The :attribute must be lowercase.',
'area' => 'area', 'lt' =>
'available' => 'available', array (
'birthday' => 'birthday', 'array' => 'O campo :attribute tem de ter menos de :value itens.',
'body' => 'body', 'file' => 'O campo :attribute tem de ter menos de :value quilobytes.',
'city' => 'city', 'numeric' => 'O campo :attribute tem de ser inferior a :value.',
'content' => 'content', 'string' => 'O campo :attribute tem de ter menos de :value caracteres.',
'country' => 'country', ),
'created_at' => 'created at', 'lte' =>
'creator' => 'creator', array (
'current_password' => 'current password', 'array' => 'O campo :attribute não pode ter mais de :value itens.',
'date' => 'date', 'file' => 'O campo :attribute tem de ter :value quilobytes ou menos.',
'date_of_birth' => 'date of birth', 'numeric' => 'O campo :attribute tem de ser inferior ou igual a :value.',
'day' => 'day', 'string' => 'O campo :attribute tem de ter :value caracteres ou menos.',
'deleted_at' => 'deleted at', ),
'description' => 'description', 'mac_address' => 'O :attribute deve ser um endereço MAC válido.',
'district' => 'district', 'max' =>
'duration' => 'duration', array (
'email' => 'email', 'array' => 'O campo :attribute não deverá conter mais de :max elementos.',
'excerpt' => 'excerpt', 'file' => 'O campo :attribute não deverá ter um tamanho superior a :max kilobytes.',
'filter' => 'filter', 'numeric' => 'O campo :attribute não deverá conter um valor superior a :max.',
'first_name' => 'first name', 'string' => 'O campo :attribute não deverá conter mais de :max caracteres.',
'gender' => 'gender', ),
'group' => 'group', 'max_digits' => 'The :attribute must not have more than :max digits.',
'hour' => 'hour', 'mimes' => 'O campo :attribute deverá conter um ficheiro do tipo: :values.',
'image' => 'image', 'mimetypes' => 'O campo :attribute deverá conter um ficheiro do tipo: :values.',
'last_name' => 'last name', 'min' =>
'lesson' => 'lesson', array (
'line_address_1' => 'line address 1', 'array' => 'O campo :attribute deverá conter no mínimo :min elementos.',
'line_address_2' => 'line address 2', 'file' => 'O campo :attribute deverá ter no mínimo :min kilobytes.',
'message' => 'message', 'numeric' => 'O campo :attribute deverá ter um valor superior ou igual a :min.',
'middle_name' => 'middle name', 'string' => 'O campo :attribute deverá conter no mínimo :min caracteres.',
'minute' => 'minute', ),
'mobile' => 'mobile', 'min_digits' => 'The :attribute must have at least :min digits.',
'month' => 'month', 'multiple_of' => 'O :attribute deve ser um múltiplo de :value',
'name' => 'name', 'not_in' => 'O campo :attribute contém um valor inválido.',
'national_code' => 'national code', 'not_regex' => 'O formato de :attribute não é válido',
'number' => 'number', 'numeric' => 'O campo :attribute deverá conter um valor numérico.',
'password' => 'password', 'password' =>
'password_confirmation' => 'password confirmation', array (
'phone' => 'phone', 'letters' => 'The :attribute must contain at least one letter.',
'photo' => 'photo', 'mixed' => 'The :attribute must contain at least one uppercase and one lowercase letter.',
'postal_code' => 'postal code', 'numbers' => 'The :attribute must contain at least one number.',
'price' => 'price', 'symbols' => 'The :attribute must contain at least one symbol.',
'province' => 'province', 'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.',
'recaptcha_response_field' => 'recaptcha response field', ),
'remember' => 'remember', 'present' => 'O campo :attribute deverá estar presente.',
'restored_at' => 'restored at', 'prohibited' => 'O campo :attribute é proibido.',
'result_text_under_image' => 'result text under image', 'prohibited_if' => 'O campo :attribute é proibido quando :other é :value.',
'role' => 'role', 'prohibited_unless' => 'O campo :attribute é proibido a menos que :other esteja em :values.',
'second' => 'second', 'prohibits' => 'O campo :attribute proíbe :other de estar presente.',
'sex' => 'sex', 'regex' => 'O formato do valor para o campo :attribute é inválido.',
'short_text' => 'short text', 'relatable' => 'Este :attribute pode não estar associado a este recurso.',
'size' => 'size', 'required' => 'É obrigatória a indicação de um valor para o campo :attribute.',
'state' => 'state', 'required_array_keys' => 'O campo :attribute deve conter entradas para: :values.',
'street' => 'street', 'required_if' => 'É obrigatória a indicação de um valor para o campo :attribute quando o valor do campo :other é igual a :value.',
'student' => 'student', 'required_if_accepted' => 'The :attribute field is required when :other is accepted.',
'subject' => 'subject', 'required_unless' => 'É obrigatória a indicação de um valor para o campo :attribute a menos que :other esteja presente em :values.',
'teacher' => 'teacher', 'required_with' => 'É obrigatória a indicação de um valor para o campo :attribute quando :values está presente.',
'terms' => 'terms', 'required_with_all' => 'É obrigatória a indicação de um valor para o campo :attribute quando um dos :values está presente.',
'test_description' => 'test description', 'required_without' => 'É obrigatória a indicação de um valor para o campo :attribute quando :values não está presente.',
'test_locale' => 'test locale', 'required_without_all' => 'É obrigatória a indicação de um valor para o campo :attribute quando nenhum dos :values está presente.',
'test_name' => 'test name', 'same' => 'Os campos :attribute e :other deverão conter valores iguais.',
'text' => 'text', 'size' =>
'time' => 'time', array (
'title' => 'title', 'array' => 'O campo :attribute deverá conter :size elementos.',
'updated_at' => 'updated at', 'file' => 'O campo :attribute deverá ter o tamanho de :size kilobytes.',
'username' => 'username', 'numeric' => 'O campo :attribute deverá conter o valor :size.',
'year' => 'year', 'string' => 'O campo :attribute deverá conter :size caracteres.',
], ),
]; 'starts_with' => 'O campo :attribute tem de começar com um dos valores seguintes: :values',
'string' => 'O campo :attribute deverá conter texto.',
'timezone' => 'O campo :attribute deverá ter um fuso horário válido.',
'unique' => 'O valor indicado para o campo :attribute já se encontra registado.',
'uploaded' => 'O upload do ficheiro :attribute falhou.',
'uppercase' => 'The :attribute must be uppercase.',
'url' => 'O formato do URL indicado para o campo :attribute é inválido.',
'uuid' => ':Attribute tem de ser um UUID válido.',
);

579
resources/lang/tr.json Normal file
View File

@@ -0,0 +1,579 @@
{
"The provided password does not match your current password.": "",
"We were unable to find a registered user with this email address.": "",
"This user already belongs to the team.": "",
"This user has already been invited to the team.": "",
"You may not leave a team that you created.": "",
"Book": "",
"Article": "",
"Markdown Article": "",
"Youtube Video": "",
"Vimeo Video": "",
"Podcast Episode": "",
"Downloadable File": "",
"Bitcoin Events": "",
"Country": "",
"Title": "",
"From": "",
"To": "",
"Venue": "",
"Link": "",
"No bookcases found in the radius of 5km": "",
"City": "",
"Search City": "",
"Search Venue": "",
"Course": "",
"Search Course": "",
"Type": "",
"Lecturer": "",
"Actions": "",
"Meetup": "",
"Location": "",
"Start": "",
"Name": "",
"Links": "",
"Bookcase": "",
"Created by: :name": "",
"Logo": "",
"Show worldwide": "",
"If checked, the event will be shown everywhere.": "",
"Description": "",
"Created By": "",
"Book Case": "",
"Latitude": "",
"Longitude": "",
"Address": "",
"Open": "",
"Comment": "",
"Contact": "",
"Bcz": "",
"Digital": "",
"Icontype": "",
"Deactivated": "",
"Deactreason": "",
"Entrytype": "",
"Homepage": "",
"OrangePills": "",
"Comments": "",
"Slug": "",
"Courses": "",
"Country: :name": "",
"Venues": "",
"Course Events": "",
"Meetups": "",
"Commentator": "",
"Original text": "",
"Show": "",
"Status": "",
"Created at": "",
"Code: :code": "",
"English name": "",
"Languages": "",
"Code": "",
"Cities": "",
"Main picture": "",
"Images": "",
"Upload images here to insert them later in the Markdown Description. But you have to save before.": "",
"Tags": "",
"Markdown is allowed. You can paste images from the \"Images\" field here. Use the link icon of the images for the urls after clicking \"Update and continue\".": "",
"Select here the lecturer who holds the course. If the lecturer is not in the list, create it first under \"Lecturers\".": "",
"Categories": "",
"Course Event": "",
"Image": "",
"Data": "",
"Podcast": "",
"Lecturer\/Content Creator": "",
"Library": "",
"Is public": "",
"Library Item": "",
"Language Code": "",
"Value": "",
"Episode": "",
"Meetup Event": "",
"Locked": "",
"Episodes": "",
"Users": "",
"City: :name": "",
"Street": "",
"Locations": "",
"MIT License": "",
"nova-spatie-permissions::lang.display_names\": \"": "",
"Create API Token": "",
"API tokens allow third-party services to authenticate with our application on your behalf.": "",
"Token Name": "",
"Permissions": "",
"Created.": "",
"Create": "",
"Manage API Tokens": "",
"You may delete any of your existing tokens if they are no longer needed.": "",
"Last used": "",
"Delete": "",
"API Token": "",
"Please copy your new API token. For your security, it won\\'t be shown again.": "",
"Close": "",
"API Token Permissions": "",
"Cancel": "",
"Save": "",
"Delete API Token": "",
"Are you sure you would like to delete this API token?": "",
"API Tokens": "",
"This is a secure area of the application. Please confirm your password before continuing.": "",
"Password": "",
"Confirm": "",
"Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "",
"Email": "",
"Email Password Reset Link": "",
"Back to the website": "",
"Remember me": "",
"Forgot your password?": "",
"Log in": "",
"Confirm Password": "",
"I want to submit new courses on this platform": "",
"I agree to the :terms_of_service and :privacy_policy": "",
"Terms of Service": "",
"Privacy Policy": "",
"Already registered?": "",
"Register": "",
"Reset Password": "",
"Please confirm access to your account by entering the authentication code provided by your authenticator application.": "",
"Please confirm access to your account by entering one of your emergency recovery codes.": "",
"Recovery Code": "",
"Use a recovery code": "",
"Use an authentication code": "",
"Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn\\'t receive the email, we will gladly send you another.": "",
"A new verification link has been sent to the email address you provided in your profile settings.": "",
"Resend Verification Email": "",
"Edit Profile": "",
"Log Out": "",
"💊 Orange Pill Now": "",
"Details": "",
"no bitcoin books yet": "",
"Perimeter search course date :name (100km)": "",
"Perimeter search bookcase :name (5km)": "",
"Show dates": "",
"Show content": "",
"Download": "",
"Listen": "",
"Calendar Stream Url copied!": "",
"Paste the calendar stream link into a compatible calendar app.": "",
"Calendar Stream-Url": "",
"Dashboard": "",
"URL copied!": "",
"Copy": "",
"Email login": "",
"Email registration": "",
"Zeus bug:": "",
"Bookcases": "",
"Search out a public bookcase": "",
"Built with ❤️ by our team.": "",
"Github": "",
"Wish List\/Feedback": "",
"Translate (:lang :percent%)": "",
"Back to the overview": "",
"Lecturers": "",
"Events": "",
"Library for lecturers": "",
"City search": "",
"World map": "",
"Meetup dates": "",
"Change country": "",
"Change language": "",
"Login": "",
"Registration": "",
"Choose your city, search for courses in the surrounding area and select a topic that suits you.": "",
"Content": "",
"Choose a topic that is right for you.": "",
"Search": "",
"Dates": "",
"Einundzwanzig": "",
"Bitcoin Portal": "",
"A Bitcoin community for all.": "",
"Plebs together strong": "",
"Education": "",
"Worldwide": "",
"Reading": "",
"School": "",
"Find Bitcoin courses in your city": "",
"👇 Find a course 👇": "",
"Select a tab": "",
"Lecturer Libraries": "",
"Libraries": "",
"Creator": "",
"Contents": "",
"Calendar Stream-Url for all meetup events": "",
"Bitcoiner": "",
"Plebs together strong 💪": "",
"Bitcoiner Meetups are a great way to meet other Bitcoiners in your area. You can learn from each other, share ideas, and have fun!": "",
"Orange Pill Book Case": "",
"So far here were": "",
"On :asDateTime :name has added :amount Bitcoin books.": "",
"Number of books": "",
"How many bitcoin books have you put in?": "",
"Date": "",
"When did you put bitcoin books in?": "",
"For example, what books you put in.": "",
"Von": "",
"Bis": "",
"Link to the registration": "",
"Submit Meetup": "",
"Register Meetup date": "",
"Register lecturer": "",
"Register course": "",
"Register course date": "",
"Submit contents": "",
"Register event": "",
"My profile": "",
"Manage Team": "",
"Team Settings": "",
"Create New Team": "",
"Switch Teams": "",
"Manage Account": "",
"Profile": "",
"Delete Account": "",
"Permanently delete your account.": "",
"Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "",
"Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "",
"Browser Sessions": "",
"Manage and log out your active sessions on other browsers and devices.": "",
"If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "",
"Unknown": "",
"This device": "",
"Last active": "",
"Log Out Other Browser Sessions": "",
"Done.": "",
"Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "",
"Two Factor Authentication": "",
"Add additional security to your account using two factor authentication.": "",
"Finish enabling two factor authentication.": "",
"You have enabled two factor authentication.": "",
"You have not enabled two factor authentication.": "",
"When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone\\'s Google Authenticator application.": "",
"To finish enabling two factor authentication, scan the following QR code using your phone\\'s authenticator application or enter the setup key and provide the generated OTP code.": "",
"Two factor authentication is now enabled. Scan the following QR code using your phone\\'s authenticator application or enter the setup key.": "",
"Setup Key": "",
"Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "",
"Enable": "",
"Regenerate Recovery Codes": "",
"Show Recovery Codes": "",
"Disable": "",
"Update Password": "",
"Ensure your account is using a long, random password to stay secure.": "",
"Current Password": "",
"New Password": "",
"Saved.": "",
"Profile Information": "",
"Update your account\\'s profile information and email address.": "",
"Photo": "",
"Select A New Photo": "",
"Remove Photo": "",
"Your email address is unverified.": "",
"Click here to re-send the verification email.": "",
"A new verification link has been sent to your email address.": "",
"Timezone": "",
"Team Details": "",
"Create a new team to collaborate with others on projects.": "",
"Team Owner": "",
"Team Name": "",
"Create Team": "",
"Delete Team": "",
"Permanently delete this team.": "",
"Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "",
"Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "",
"Add Team Member": "",
"Add a new team member to your team, allowing them to collaborate with you.": "",
"Please provide the email address of the person you would like to add to this team.": "",
"Role": "",
"Added.": "",
"Add": "",
"Pending Team Invitations": "",
"These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "",
"Team Members": "",
"All of the people that are part of this team.": "",
"Leave": "",
"Remove": "",
"Manage Role": "",
"Leave Team": "",
"Are you sure you would like to leave this team?": "",
"Remove Team Member": "",
"Are you sure you would like to remove this person from the team?": "",
"The team\\'s name and owner information.": "",
"You can use <a href=\"https:\/\/spatie.be\/markdown\" target=\"_blank\" rel=\"nofollow noopener noreferrer\">Markdown<\/a>": "",
"Unsubscribe from receive notification about :commentableName": "",
"The comment has been approved.": "",
"Do you want to approve the comment?": "",
"Approve": "",
"The comment has been rejected.": "",
"Do you want to reject the comment?": "",
"You have been unsubscribed.": "",
"You have been unsubscribed from every comment notification.": "",
"Do you want to unsubscribe from every comment notification?": "",
"Do you want to unsubscribe?": "",
"Dismiss": "",
"For your security, please confirm your password to continue.": "",
"Whoops! Something went wrong.": "",
"You have been invited to join the :team team!": "",
"If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "",
"Create Account": "",
"If you already have an account, you may accept this invitation by clicking the button below:": "",
"You may accept this invitation by clicking the button below:": "",
"Accept Invitation": "",
"If you did not expect to receive an invitation to this team, you may discard this email.": "",
"close": "",
"Rotate -90": "",
"Rotate +90": "",
"Update": "",
"Add New \".concat(e)):this.__(\"Upload New \".concat(e))},mustCrop:function(){return\"mustCrop\"in this.field&&this.field.mustCrop}},watch:{modelValue:function(e){this.images=e||[]},images:function(e,t){this.queueNewImages(e,t),this.$emit(\"update:modelValue": "",
"Maximum file size is :amount MB": "",
"File type must be: :types": "",
"Uploading": "",
"Do you really want to leave? You have unsaved changes.": "",
"*": "",
"Select": "",
"Existing Media": "",
"Search by name or file name": "",
"No results found": "",
"Load Next Page": "",
"Add Existing \".concat(e)):this.__(\"Use Existing \".concat(e))}},methods:{setInitialValue:function(){var e=this.field.value||[];this.field.multiple||(e=e.slice(0,1)),this.value=e,this.hasSetInitialValue=!0},fill:function(e){var t=this,n=this.field.attribute;this.value.forEach((function(r,i){var o,a,s;!r.id?r.isVaporUpload?(e.append(\"__media__[\".concat(n,\"][": "",
"nova-spatie-permissions::lang.display_names.'.$this->name);\n\t\t\t})->canSee(function (){\n\t\t\t\treturn is_array(__('nova-spatie-permissions::lang.display_names": "",
"This will go in the JSON array": "",
"This will also go in the JSON array": "",
"trans": "",
"The provided two factor authentication code was invalid.": "",
"The provided password was incorrect.": "",
"The provided two factor recovery code was invalid.": "",
"The :attribute must be at least :length characters and contain at least one uppercase character.": "",
"The :attribute must be at least :length characters and contain at least one number.": "",
"The :attribute must be at least :length characters and contain at least one special character.": "",
"The :attribute must be at least :length characters and contain at least one uppercase character and one number.": "",
"The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": "",
"The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": "",
"The :attribute must be at least :length characters and contain at least one special character and one number.": "",
"The :attribute must be at least :length characters.": "",
"Toggle navigation": "",
"Logout": "",
"Unauthorized": "",
"Forbidden": "",
"Not Found": "",
"Page Expired": "",
"Too Many Requests": "",
"Server Error": "",
"Service Unavailable": "",
"Showing": "",
"to": "",
"of": "",
"results": "",
"Pagination Navigation": "",
"Go to page :page": "",
"You may not delete your personal team.": "",
"This password does not match our records.": "",
"The password is incorrect.": "",
"Great! You have accepted the invitation to join the :team team.": "",
"Team Invitation": "",
"The :attribute must be a valid role.": "",
"Go Home": "",
"Whoops": "",
"We're lost in space. The page you were trying to view does not exist.": "",
"Hold Up!": "",
"The government won't let us show you what's behind these doors": "",
":-(": "",
"Nova experienced an unrecoverable error.": "",
"Toggle Collapsed": "",
"This resource no longer exists": "",
":resource Details: :title": "",
"Soft Deleted": "",
"View": "",
"Edit": "",
"The resource was attached!": "",
"Attach :resource": "",
"No additional information...": "",
"Choose :resource": "",
"Attach & Attach Another": "",
"The resource was updated!": "",
"Update attached :resource: :title": "",
"Choose :field": "",
"Update & Continue Editing": "",
"Update :resource": "",
"Toggle Sidebar": "",
"Close Sidebar": "",
"Sorry, your session has expired.": "",
"Reload": "",
"There was a problem executing the action.": "",
"The action was executed successfully.": "",
"There was a problem submitting the form.": "",
"Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "",
"Standalone Actions": "",
"Select Action": "",
"Stop Polling": "",
"Start Polling": "",
"Show Cards": "",
"Hide Cards": "",
"The HasOne relationship has already been filled.": "",
"The HasOneThrough relationship has already been filled.": "",
"The :resource was created!": "",
"Create :resource": "",
"Create & Add Another": "",
"Attach": "",
"Restore Selected": "",
"Force Delete Selected": "",
"Trash Dropdown": "",
"Force Delete Resource": "",
"Are you sure you want to force delete the selected resources?": "",
"The :resource was deleted!": "",
"The :resource was restored!": "",
"Replicate": "",
"Impersonate": "",
"Delete Resource": "",
"Restore Resource": "",
"Resource Row Dropdown": "",
"Preview": "",
"Select this page": "",
"Select all": "",
"Select All Dropdown": "",
"Light": "",
"Dark": "",
"System": "",
"Hide Content": "",
"Show Content": "",
"Reset Filters": "",
"With Trashed": "",
"Only Trashed": "",
"Trashed": "",
"Per Page": "",
"Filter Dropdown": "",
"Choose date": "",
"—": "",
"Press \/ to search": "",
"No Results Found.": "",
"No :resource matched the given criteria.": "",
"Failed to load :resource!": "",
"Click to choose": "",
"Lens Dropdown": "",
"Unregistered": "",
"total": "",
"Select Ranges": "",
"No Increase": "",
"No Prior Data": "",
"No Current Data": "",
"No Data": "",
"Delete File": "",
"Are you sure you want to delete this file?": "",
"Are you sure you want to \"+o.mode+\" the selected resources?": "",
"Previewing": "",
"View :resource": "",
"There are no fields to display.": "",
"Are you sure you want to restore the selected resources?": "",
"Restore": "",
"Are you sure you want to delete this notification?": "",
"Notifications": "",
"Mark all as Read": "",
"There are no new notifications.": "",
"Load :perPage More": "",
"All resources loaded.": "",
":amount Total": "",
"Previous": "",
"Next": "",
"Copy to clipboard": "",
"There's nothing configured to show here.": "",
"Selected Resources": "",
"Controls": "",
"Select Resource :title": "",
"Edit Attached": "",
"Are you sure you want to restore this resource?": "",
"Show more": "",
"Are you sure you want to log out?": "",
"Are you sure you want to stop impersonating?": "",
"Nova User": "",
"Stop Impersonating": "",
":name's Avatar": "",
"Whoops!": "",
"Something went wrong.": "",
"Yes": "",
"No": "",
"Show All Fields": "",
"End": "",
"Min": "",
"Max": "",
"Sorry! You are not authorized to perform this action.": "",
"The file was deleted!": "",
"There was a problem fetching the resource.": "",
"Write": "",
"Choose Type": "",
"There are no available options for this resource.": "",
"Choose": "",
"Choose an option": "",
"Customize": "",
"An error occurred while uploading the file.": "",
"Refresh": "",
"Forgot Password": "",
"Email Address": "",
"Send Password Reset Link": "",
"Log In": "",
"Welcome Back!": "",
"The :resource was updated!": "",
"Update :resource: :title": "",
"Choose Files": "",
"Choose File": "",
"Drop files or click to choose": "",
"Drop file or click to choose": "",
"Choose a file": "",
"&mdash;": "",
"The image could not be loaded.": "",
":name\\\\'s Avatar": "",
"taylorotwell": "",
"Laravel Nova": "",
"Laravel Nova :version": "",
"Are you sure you want to ' + mode + ' the selected resources?": "",
":name\\'s Avatar": "",
"ID": "",
"Action Name": "",
"Action Initiated By": "",
"Action Target": "",
"Action Status": "",
"Waiting": "",
"Running": "",
"Failed": "",
"Original": "",
"Changes": "",
"Exception": "",
"Action Happened At": "",
"Action": "",
"CSV (.csv)": "",
"Excel (.xlsx)": "",
"Filename": "",
"30 Days": "",
"60 Days": "",
"90 Days": "",
"365 Days": "",
"Today": "",
"Month To Date": "",
"Quarter To Date": "",
"Year To Date": "",
"Unable to find Resource for model [:model].": "",
"The resource was prevented from being saved!": "",
"Loading": "",
"Finished": "",
"Key": "",
"Add row": "",
"Reset Password Notification": "",
"You are receiving this email because we received a password reset request for your account.": "",
"If you did not request a password reset, no further action is required.": "",
"Resources": "",
"Dashboards": "",
"Replicate :resource": "",
"Remember Me": "",
"Forgot Your Password?": "",
"Please confirm your password before continuing.": "",
"Verify Your Email Address": "",
"A fresh verification link has been sent to your email address.": "",
"Before proceeding, please check your email for a verification link.": "",
"If you did not receive the email": "",
"click here to request another": "",
"You are logged in!": "",
"time": "",
"All Columns": "",
"All": "",
"N\/A": "",
"Hello!": "",
"Add tags...": "",
"Add tag...": ""
}

View File

@@ -0,0 +1,11 @@
<?php
return array (
'' =>
array (
'' =>
array (
'' => '',
),
),
);

View File

@@ -1,9 +1,7 @@
<?php <?php
declare(strict_types=1); return array (
'failed' => 'Bu kimlik bilgileri kayıtlarımızla eşleşmiyor.',
return [ 'password' => 'Parola geçersiz.',
'failed' => 'Bu kimlik bilgileri kayıtlarımızla eşleşmiyor.', 'throttle' => 'Çok fazla giriş denemesi. :seconds saniye sonra lütfen tekrar deneyin.',
'password' => 'Parola geçersiz.', );
'throttle' => 'Çok fazla giriş denemesi. :seconds saniye sonra lütfen tekrar deneyin.',
];

View File

@@ -1,84 +1,82 @@
<?php <?php
declare(strict_types=1); return array (
0 => 'Bilinmeyen Hata',
return [ 'unknownError' => 'Bilinmeyen Hata',
'0' => 'Bilinmeyen Hata', 100 => 'Devam Et',
'100' => 'Devam Et', 101 => 'Protokoller Değiştiriliyor',
'101' => 'Protokoller Değiştiriliyor', 102 => 'İşleniyor',
'102' => 'İşleniyor', 200 => 'Tamam',
'200' => 'Tamam', 201 => 'Oluşturuldu',
'201' => 'Oluşturuldu', 202 => 'Kabul Edilmiş',
'202' => 'Kabul Edilmiş', 203 => 'Yetkili Olmayan Bilgiler',
'203' => 'Yetkili Olmayan Bilgiler', 204 => 'İçerik Yok',
'204' => 'İçerik Yok', 205 => 'İçeriği Sıfırla',
'205' => 'İçeriği Sıfırla', 206 => 'Kısmi İçerik',
'206' => 'Kısmi İçerik', 207 => 'Çoklu Durum',
'207' => 'Çoklu Durum', 208 => 'Zaten Bildirildi',
'208' => 'Zaten Bildirildi', 226 => 'IM Kullanıldı',
'226' => 'IM Kullanıldı', 300 => 'Çoklu Seçimler',
'300' => 'Çoklu Seçimler', 301 => 'Kalıcı Olarak Taşındı',
'301' => 'Kalıcı Olarak Taşındı', 302 => 'Bulundu',
'302' => 'Bulundu', 303 => 'Diğerlerini Gör',
'303' => 'Diğerlerini Gör', 304 => 'Değiştirilmedi',
'304' => 'Değiştirilmedi', 305 => 'Proxy Kullan',
'305' => 'Proxy Kullan', 307 => 'Geçici Yönlendirme',
'307' => 'Geçici Yönlendirme', 308 => 'Kalıcı Yönlendirme',
'308' => 'Kalıcı Yönlendirme', 400 => 'Geçersiz istek',
'400' => 'Geçersiz istek', 401 => 'Yetkisiz',
'401' => 'Yetkisiz', 402 => 'Ödeme gerekli',
'402' => 'Ödeme gerekli', 403 => 'Yasaklı',
'403' => 'Yasaklı', 404 => 'Sayfa bulunamadı',
'404' => 'Sayfa bulunamadı', 405 => 'İzin Verilmeyen Yöntem',
'405' => 'İzin Verilmeyen Yöntem', 406 => 'Kabul Edilemez',
'406' => 'Kabul Edilemez', 407 => 'Proxy Kimlik Doğrulaması Gerekli',
'407' => 'Proxy Kimlik Doğrulaması Gerekli', 408 => 'İstek zaman aşımına uğradı',
'408' => 'İstek zaman aşımına uğradı', 409 => 'Çakışma',
'409' => 'Çakışma', 410 => 'Gitmiş',
'410' => 'Gitmiş', 411 => 'Uzunluk Gerekli',
'411' => 'Uzunluk Gerekli', 412 => 'Ön Koşul Başarısız',
'412' => 'Ön Koşul Başarısız', 413 => 'Veri Çok Büyük',
'413' => 'Veri Çok Büyük', 414 => 'URI Çok Uzun',
'414' => 'URI Çok Uzun', 415 => 'Desteklenmeyen Medya Türü',
'415' => 'Desteklenmeyen Medya Türü', 416 => 'Aralık Yetersiz',
'416' => 'Aralık Yetersiz', 417 => 'Beklenti Başarısız',
'417' => 'Beklenti Başarısız', 418 => 'Ben bir demliğim',
'418' => 'Ben bir demliğim', 419 => 'Oturum süresi doldu',
'419' => 'Oturum süresi doldu', 421 => 'Yanlış Yönlendirilmiş İstek',
'421' => 'Yanlış Yönlendirilmiş İstek', 422 => 'İşlenemeyen Varlık',
'422' => 'İşlenemeyen Varlık', 423 => 'Kilitli',
'423' => 'Kilitli', 424 => 'Başarısız Bağımlılık',
'424' => 'Başarısız Bağımlılık', 425 => 'Çok erken',
'425' => 'Çok erken', 426 => 'Yükseltme Gerekli',
'426' => 'Yükseltme Gerekli', 428 => 'Ön Koşul Gerekli',
'428' => 'Ön Koşul Gerekli', 429 => 'Çok Fazla İstek',
'429' => 'Çok Fazla İstek', 431 => 'İstek Başlık Alanları Çok Büyük',
'431' => 'İstek Başlık Alanları Çok Büyük', 444 => 'Bağlantı Yanıtsız Kapatıldı',
'444' => 'Bağlantı Yanıtsız Kapatıldı', 449 => 'İle Yeniden Dene',
'449' => 'İle Yeniden Dene', 451 => 'Yasal Sebepler Nedeniyle Kullanılamıyor',
'451' => 'Yasal Sebepler Nedeniyle Kullanılamıyor', 499 => 'İstemci Kapandı İsteği',
'499' => 'İstemci Kapandı İsteği', 500 => 'İç Sunucu Hatası',
'500' => 'İç Sunucu Hatası', 501 => 'Uygulanmadı',
'501' => 'Uygulanmadı', 502 => 'Geçersiz Ağ Geçidi',
'502' => 'Geçersiz Ağ Geçidi', 503 => 'Bakım Modu',
'503' => 'Bakım Modu', 504 => 'Ağ Geçidi Zaman Aşımı',
'504' => 'Ağ Geçidi Zaman Aşımı', 505 => 'HTTP Sürümü Desteklenmiyor',
'505' => 'HTTP Sürümü Desteklenmiyor', 506 => 'Varyant Ayrıca Müzakere Ediyor',
'506' => 'Varyant Ayrıca Müzakere Ediyor', 507 => 'Yetersiz depolama',
'507' => 'Yetersiz depolama', 508 => 'Döngü Tespit Edildi',
'508' => 'Döngü Tespit Edildi', 509 => 'Bant Genişliği Sınırııldı',
'509' => 'Bant Genişliği Sınırııldı', 510 => 'Genişletilmemiş',
'510' => 'Genişletilmemiş', 511 => 'Ağ Kimlik Doğrulaması Gerekli',
'511' => 'Ağ Kimlik Doğrulaması Gerekli', 520 => 'Bilinmeyen Hata',
'520' => 'Bilinmeyen Hata', 521 => 'Web Sunucusu Çalışmıyor',
'521' => 'Web Sunucusu Çalışmıyor', 522 => 'Bağlantı Zaman Aşımına Uğradı',
'522' => 'Bağlantı Zaman Aşımına Uğradı', 523 => 'Kökeni Ulaşılamaz',
'523' => 'Kökeni Ulaşılamaz', 524 => 'Bir Zaman Aşımı Oluştu',
'524' => 'Bir Zaman Aşımı Oluştu', 525 => 'SSL El Sıkışma Başarısız',
'525' => 'SSL El Sıkışma Başarısız', 526 => 'Geçersiz SSL Sertifikası',
'526' => 'Geçersiz SSL Sertifikası', 527 => 'Railgun Hatası',
'527' => 'Railgun Hatası', 598 => 'Ağ Okuma Zaman Aşımı Hatası',
'598' => 'Ağ Okuma Zaman Aşımı Hatası', 599 => 'Ağ Bağlantısı Zaman Aşımı Hatası',
'599' => 'Ağ Bağlantısı Zaman Aşımı Hatası', );
'unknownError' => 'Bilinmeyen Hata',
];

View File

@@ -1,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
'next' => 'Sonrakiler &raquo;',
return [ 'previous' => '&laquo; Öncekiler',
'next' => 'Sonrakiler &raquo;', );
'previous' => '&laquo; Öncekiler',
];

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
'reset' => 'Parolanız sıfırlandı!',
return [ 'sent' => 'Parola sıfırlama bağlantınız e-posta ile gönderildi!',
'reset' => 'Parolanız sıfırlandı!', 'throttled' => 'Tekrar denemeden önce lütfen bekleyin.',
'sent' => 'Parola sıfırlama bağlantınız e-posta ile gönderildi!', 'token' => 'Parola sıfırlama kodu geçersiz.',
'throttled' => 'Tekrar denemeden önce lütfen bekleyin.', 'user' => 'Bu e-posta adresi ile kayıtlı bir üye bulunamadı.',
'token' => 'Parola sıfırlama kodu geçersiz.', );
'user' => 'Bu e-posta adresi ile kayıtlı bir üye bulunamadı.',
];

View File

@@ -0,0 +1,6 @@
<?php
return array (
'first_match' => '',
'third_match' => '',
);

View File

@@ -1,210 +1,218 @@
<?php <?php
declare(strict_types=1); return array (
'accepted' => ':Attribute kabul edilmelidir.',
return [ 'accepted_if' => ':Attribute, :other değeri :value ise kabul edilmelidir.',
'accepted' => ':Attribute kabul edilmelidir.', 'active_url' => ':Attribute geçerli bir URL olmalıdır.',
'accepted_if' => ':Attribute, :other değeri :value ise kabul edilmelidir.', 'after' => ':Attribute mutlaka :date tarihinden sonra olmalıdır.',
'active_url' => ':Attribute geçerli bir URL olmalıdır.', 'after_or_equal' => ':Attribute mutlaka :date tarihinden sonra veya aynı tarihte olmalıdır.',
'after' => ':Attribute mutlaka :date tarihinden sonra olmalıdır.', 'alpha' => ':Attribute sadece harflerden oluşmalıdır.',
'after_or_equal' => ':Attribute mutlaka :date tarihinden sonra veya aynı tarihte olmalıdır.', 'alpha_dash' => ':Attribute sadece harflerden, rakamlardan ve tirelerden olmalıdır.',
'alpha' => ':Attribute sadece harflerden oluşmalıdır.', 'alpha_num' => ':Attribute sadece harflerden ve rakamlardan oluşmalıdır.',
'alpha_dash' => ':Attribute sadece harflerden, rakamlardan ve tirelerden olmalıdır.', 'array' => ':Attribute mutlaka bir dizi olmalıdır.',
'alpha_num' => ':Attribute sadece harflerden ve rakamlardan oluşmalıdır.', 'attached' => 'Bu :attribute zaten tanımlı.',
'array' => ':Attribute mutlaka bir dizi olmalıdır.', 'attributes' =>
'attached' => 'Bu :attribute zaten tanımlı.', array (
'before' => ':Attribute mutlaka :date tarihinden önce olmalıdır.', 'address' => 'adres',
'before_or_equal' => ':Attribute mutlaka :date tarihinden önce veya aynı tarihte olmalıdır.', 'age' => 'yaş',
'between' => [ 'amount' => 'tutar',
'array' => ':Attribute mutlaka :min - :max arasında öge içermelidir.', 'area' => 'alan',
'file' => ':Attribute mutlaka :min - :max kilobayt arasında olmalıdır.', 'available' => 'mevcut',
'numeric' => ':Attribute mutlaka :min - :max arasında olmalıdır.', 'birthday' => 'doğum günü',
'string' => ':Attribute mutlaka :min - :max karakter arasında olmalıdır.', 'body' => 'gövde',
], 'city' => 'şehir',
'boolean' => ':Attribute sadece doğru veya yanlış olmalıdır.', 'content' => 'i̇çerik',
'confirmed' => ':Attribute tekrarı eşleşmiyor.', 'country' => 'ülke',
'current_password' => 'Parola hatalı.', 'created_at' => 'oluşturulduğunda',
'date' => ':Attribute geçerli bir tarih değil.', 'creator' => 'yaratıcı',
'date_equals' => ':Attribute mutlaka :date ile aynı tarihte olmalıdır.', 'current_password' => 'mevcut şifre',
'date_format' => ':Attribute mutlaka :format biçiminde olmalıdır.', 'date' => 'tarih',
'declined' => ':Attribute kabul edilmemektedir.', 'date_of_birth' => 'doğum tarihi',
'declined_if' => ':Attribute, :other değeri :value iken kabul edilmemektedir.', 'day' => 'gün',
'different' => ':Attribute ile :other mutlaka birbirinden farklı olmalıdır.', 'deleted_at' => 'silindi',
'digits' => ':Attribute mutlaka :digits basamaklı olmalıdır.', 'description' => 'açıklama',
'digits_between' => ':Attribute mutlaka en az :min, en fazla :max basamaklı olmalıdır.', 'district' => 'semt',
'dimensions' => ':Attribute geçersiz resim boyutlarına sahip.', 'duration' => 'süre',
'distinct' => ':Attribute alanı yinelenen bir değere sahip.', 'email' => 'e-posta adresi',
'doesnt_end_with' => ':Attribute aşağıdakilerden biriyle bitemez: :values.', 'excerpt' => 'alıntı',
'doesnt_start_with' => ':Attribute aşağıdakilerden biriyle başlamayabilir: :values.', 'filter' => 'filtre',
'email' => ':Attribute mutlaka geçerli bir e-posta adresi olmalıdır.', 'first_name' => 'adı',
'ends_with' => ':Attribute sadece şu değerlerden biriyle bitebilir: :values.', 'gender' => 'cinsiyet',
'enum' => 'Seçilen :attribute değeri geçersiz.', 'group' => 'grup',
'exists' => 'Seçili :attribute geçersiz.', 'hour' => 'saat',
'file' => ':Attribute mutlaka bir dosya olmalıdır.', 'image' => 'resim',
'filled' => ':Attribute mutlaka doldurulmalıdır.', 'last_name' => 'soyadı',
'gt' => [ 'lesson' => 'ders',
'array' => ':Attribute mutlaka :value sayısından daha fazla öge içermelidir.', 'line_address_1' => 'hat adresi 1',
'file' => ':Attribute mutlaka :value kilobayt\'tan büyük olmalıdır.', 'line_address_2' => 'hat adresi 2',
'numeric' => ':Attribute mutlaka :value sayısından büyük olmalıdır.', 'message' => 'ileti',
'string' => ':Attribute mutlaka :value karakterden uzun olmalıdır.', 'middle_name' => 'ikinci ad',
], 'minute' => 'dakika',
'gte' => [ 'mobile' => 'cep telefonu',
'array' => ':Attribute mutlaka :value veya daha fazla öge içermelidir.', 'month' => 'ay',
'file' => ':Attribute mutlaka :value kilobayt\'tan büyük veya eşit olmalıdır.', 'name' => 'adı',
'numeric' => ':Attribute mutlaka :value sayısından büyük veya eşit olmalıdır.', 'national_code' => 'ulusal kod',
'string' => ':Attribute mutlaka :value karakterden uzun veya eşit olmalıdır.', 'number' => 'sayı',
], 'password' => 'parola',
'image' => ':Attribute mutlaka bir resim olmalıdır.', 'password_confirmation' => 'parola (tekrar)',
'in' => 'Seçili :attribute geçersiz.', 'phone' => 'telefon',
'in_array' => ':Attribute :other içinde mevcut değil.', 'photo' => 'fotoğraf',
'integer' => ':Attribute mutlaka bir tam sayı olmalıdır.', 'postal_code' => 'posta kodu',
'ip' => ':Attribute mutlaka geçerli bir IP adresi olmalıdır.', 'price' => 'fiyat',
'ipv4' => ':Attribute mutlaka geçerli bir IPv4 adresi olmalıdır.', 'province' => 'bölge',
'ipv6' => ':Attribute mutlaka geçerli bir IPv6 adresi olmalıdır.', 'recaptcha_response_field' => 'recaptcha yanıt alanı',
'json' => ':Attribute mutlaka geçerli bir JSON içeriği olmalıdır.', 'remember' => 'hatırlamak',
'lowercase' => 'The :attribute must be lowercase.', 'restored_at' => 'restore',
'lt' => [ 'result_text_under_image' => 'resmin altındaki sonuç metni',
'array' => ':Attribute mutlaka :value sayısından daha az öge içermelidir.', 'role' => 'rol',
'file' => ':Attribute mutlaka :value kilobayt\'tan küçük olmalıdır.', 'second' => 'saniye',
'numeric' => ':Attribute mutlaka :value sayısından küçük olmalıdır.', 'sex' => 'cinsiyet',
'string' => ':Attribute mutlaka :value karakterden kısa olmalıdır.', 'short_text' => 'kısa metin',
], 'size' => 'boyut',
'lte' => [ 'state' => 'durum',
'array' => ':Attribute mutlaka :value veya daha az öge içermelidir.', 'street' => 'sokak',
'file' => ':Attribute mutlaka :value kilobayt\'tan küçük veya eşit olmalıdır.', 'student' => 'öğrenci',
'numeric' => ':Attribute mutlaka :value sayısından küçük veya eşit olmalıdır.', 'subject' => 'ders',
'string' => ':Attribute mutlaka :value karakterden kısa veya eşit olmalıdır.', 'teacher' => 'öğretmen',
], 'terms' => 'şartlar',
'mac_address' => ':Attribute geçerli bir MAC adresi olmalıdır.', 'test_description' => 'test açıklaması',
'max' => [ 'test_locale' => 'yerel ayar',
'array' => ':Attribute en fazla :max öge içerebilir.', 'test_name' => 'deneme adı',
'file' => ':Attribute en fazla :max kilobayt olabilir.', 'text' => 'metin',
'numeric' => ':Attribute en fazla :max olabilir.', 'time' => 'zaman',
'string' => ':Attribute en fazla :max karakter olabilir.', 'title' => 'unvan',
], 'updated_at' => 'güncellendi',
'max_digits' => ':Attribute en fazla :max basamak içermelidir.', 'username' => 'kullanıcı adı',
'mimes' => ':Attribute mutlaka :values biçiminde bir dosya olmalıdır.', 'year' => 'yıl',
'mimetypes' => ':Attribute mutlaka :values biçiminde bir dosya olmalıdır.', ),
'min' => [ 'before' => ':Attribute mutlaka :date tarihinden önce olmalıdır.',
'array' => ':Attribute en az :min öge içerebilir.', 'before_or_equal' => ':Attribute mutlaka :date tarihinden önce veya aynı tarihte olmalıdır.',
'file' => ':Attribute en az :min kilobayt olabilir.', 'between' =>
'numeric' => ':Attribute en az :min olabilir.', array (
'string' => ':Attribute en az :min karakter olabilir.', 'array' => ':Attribute mutlaka :min - :max arasında öge içermelidir.',
], 'file' => ':Attribute mutlaka :min - :max kilobayt arasında olmalıdır.',
'min_digits' => ':Attribute en az :min basamak içermelidir.', 'numeric' => ':Attribute mutlaka :min - :max arasında olmalıdır.',
'multiple_of' => ':Attribute, :value\'nin katları olmalıdır', 'string' => ':Attribute mutlaka :min - :max karakter arasında olmalıdır.',
'not_in' => 'Seçili :attribute geçersiz.', ),
'not_regex' => ':Attribute biçimi geçersiz.', 'boolean' => ':Attribute sadece doğru veya yanlış olmalıdır.',
'numeric' => ':Attribute mutlaka bir sayı olmalıdır.', 'confirmed' => ':Attribute tekrarı eşleşmiyor.',
'password' => [ 'current_password' => 'Parola hatalı.',
'letters' => ':Attribute en az bir harf içermelidir.', 'date' => ':Attribute geçerli bir tarih değil.',
'mixed' => ':Attribute en az bir büyük harf ve bir küçük harf içermelidir.', 'date_equals' => ':Attribute mutlaka :date ile aynı tarihte olmalıdır.',
'numbers' => ':Attribute en az bir sayı içermelidir.', 'date_format' => ':Attribute mutlaka :format biçiminde olmalıdır.',
'symbols' => ':Attribute en az bir sembol içermelidir.', 'declined' => ':Attribute kabul edilmemektedir.',
'uncompromised' => 'Verilen :attribute bir veri sızıntısında ortaya çıktı. Lütfen farklı bir :attribute seçin.', 'declined_if' => ':Attribute, :other değeri :value iken kabul edilmemektedir.',
], 'different' => ':Attribute ile :other mutlaka birbirinden farklı olmalıdır.',
'present' => ':Attribute mutlaka mevcut olmalıdır.', 'digits' => ':Attribute mutlaka :digits basamaklı olmalıdır.',
'prohibited' => ':Attribute alanı kısıtlanmıştır.', 'digits_between' => ':Attribute mutlaka en az :min, en fazla :max basamaklı olmalıdır.',
'prohibited_if' => ':Other alanının değeri :value ise :attribute alanına veri girişi yapılamaz.', 'dimensions' => ':Attribute geçersiz resim boyutlarına sahip.',
'prohibited_unless' => ':Other alanı :value değerlerinden birisi değilse :attribute alanına veri girişi yapılamaz.', 'distinct' => ':Attribute alanı yinelenen bir değere sahip.',
'prohibits' => ':Attribute alanı :other alanının mevcut olmasını yasaklar.', 'doesnt_end_with' => ':Attribute aşağıdakilerden biriyle bitemez: :values.',
'regex' => ':Attribute biçimi geçersiz.', 'doesnt_start_with' => ':Attribute aşağıdakilerden biriyle başlamayabilir: :values.',
'relatable' => 'Bu :attribute bu kaynakla ilişkili olmayabilir.', 'email' => ':Attribute mutlaka geçerli bir e-posta adresi olmalıdır.',
'required' => ':Attribute mutlaka gereklidir.', 'ends_with' => ':Attribute sadece şu değerlerden biriyle bitebilir: :values.',
'required_array_keys' => ':Attribute değeri şu verileri içermelidir: :values.', 'enum' => 'Seçilen :attribute değeri geçersiz.',
'required_if' => ':Attribute :other :value değerine sahip olduğunda mutlaka gereklidir.', 'exists' => 'Seçili :attribute geçersiz.',
'required_if_accepted' => ':Attribute alanı, :other kabul edildiğinde gereklidir.', 'file' => ':Attribute mutlaka bir dosya olmalıdır.',
'required_unless' => ':Attribute :other :values değerlerinden birine sahip olmadığında mutlaka gereklidir.', 'filled' => ':Attribute mutlaka doldurulmalıdır.',
'required_with' => ':Attribute :values varken mutlaka gereklidir.', 'gt' =>
'required_with_all' => ':Attribute herhangi bir :values değeri varken mutlaka gereklidir.', array (
'required_without' => ':Attribute :values yokken mutlaka gereklidir.', 'array' => ':Attribute mutlaka :value sayısından daha fazla öge içermelidir.',
'required_without_all' => ':Attribute :values değerlerinden herhangi biri yokken mutlaka gereklidir.', 'file' => ':Attribute mutlaka :value kilobayt\'tan büyük olmalıdır.',
'same' => ':Attribute ile :other aynı olmalıdır.', 'numeric' => ':Attribute mutlaka :value sayısından büyük olmalıdır.',
'size' => [ 'string' => ':Attribute mutlaka :value karakterden uzun olmalıdır.',
'array' => ':Attribute mutlaka :size ögeye sahip olmalıdır.', ),
'file' => ':Attribute mutlaka :size kilobayt olmalıdır.', 'gte' =>
'numeric' => ':Attribute mutlaka :size olmalıdır.', array (
'string' => ':Attribute mutlaka :size karakterli olmalıdır.', 'array' => ':Attribute mutlaka :value veya daha fazla öge içermelidir.',
], 'file' => ':Attribute mutlaka :value kilobayt\'tan büyük veya eşit olmalıdır.',
'starts_with' => ':Attribute sadece şu değerlerden biriyle başlayabilir: :values.', 'numeric' => ':Attribute mutlaka :value sayısından büyük veya eşit olmalıdır.',
'string' => ':Attribute mutlaka bir metin olmalıdır.', 'string' => ':Attribute mutlaka :value karakterden uzun veya eşit olmalıdır.',
'timezone' => ':Attribute mutlaka geçerli bir saat dilimi olmalıdır.', ),
'unique' => ':Attribute zaten alınmış.', 'image' => ':Attribute mutlaka bir resim olmalıdır.',
'uploaded' => ':Attribute yüklemesi başarısız.', 'in' => 'Seçili :attribute geçersiz.',
'uppercase' => 'The :attribute must be uppercase.', 'in_array' => ':Attribute :other içinde mevcut değil.',
'url' => ':Attribute biçimi geçersiz.', 'integer' => ':Attribute mutlaka bir tam sayı olmalıdır.',
'uuid' => ':Attribute mutlaka geçerli bir UUID olmalıdır.', 'ip' => ':Attribute mutlaka geçerli bir IP adresi olmalıdır.',
'attributes' => [ 'ipv4' => ':Attribute mutlaka geçerli bir IPv4 adresi olmalıdır.',
'address' => 'adres', 'ipv6' => ':Attribute mutlaka geçerli bir IPv6 adresi olmalıdır.',
'age' => 'yaş', 'json' => ':Attribute mutlaka geçerli bir JSON içeriği olmalıdır.',
'amount' => 'tutar', 'lowercase' => 'The :attribute must be lowercase.',
'area' => 'alan', 'lt' =>
'available' => 'mevcut', array (
'birthday' => 'doğum günü', 'array' => ':Attribute mutlaka :value sayısından daha az öge içermelidir.',
'body' => 'gövde', 'file' => ':Attribute mutlaka :value kilobayt\'tan küçük olmalıdır.',
'city' => 'şehir', 'numeric' => ':Attribute mutlaka :value sayısından küçük olmalıdır.',
'content' => 'i̇çerik', 'string' => ':Attribute mutlaka :value karakterden kısa olmalıdır.',
'country' => 'ülke', ),
'created_at' => 'oluşturulduğunda', 'lte' =>
'creator' => 'yaratıcı', array (
'current_password' => 'mevcut şifre', 'array' => ':Attribute mutlaka :value veya daha az öge içermelidir.',
'date' => 'tarih', 'file' => ':Attribute mutlaka :value kilobayt\'tan küçük veya eşit olmalıdır.',
'date_of_birth' => 'doğum tarihi', 'numeric' => ':Attribute mutlaka :value sayısından küçük veya eşit olmalıdır.',
'day' => 'gün', 'string' => ':Attribute mutlaka :value karakterden kısa veya eşit olmalıdır.',
'deleted_at' => 'silindi', ),
'description' => 'açıklama', 'mac_address' => ':Attribute geçerli bir MAC adresi olmalıdır.',
'district' => 'semt', 'max' =>
'duration' => 'süre', array (
'email' => 'e-posta adresi', 'array' => ':Attribute en fazla :max öge içerebilir.',
'excerpt' => 'alıntı', 'file' => ':Attribute en fazla :max kilobayt olabilir.',
'filter' => 'filtre', 'numeric' => ':Attribute en fazla :max olabilir.',
'first_name' => 'adı', 'string' => ':Attribute en fazla :max karakter olabilir.',
'gender' => 'cinsiyet', ),
'group' => 'grup', 'max_digits' => ':Attribute en fazla :max basamak içermelidir.',
'hour' => 'saat', 'mimes' => ':Attribute mutlaka :values biçiminde bir dosya olmalıdır.',
'image' => 'resim', 'mimetypes' => ':Attribute mutlaka :values biçiminde bir dosya olmalıdır.',
'last_name' => 'soyadı', 'min' =>
'lesson' => 'ders', array (
'line_address_1' => 'hat adresi 1', 'array' => ':Attribute en az :min öge içerebilir.',
'line_address_2' => 'hat adresi 2', 'file' => ':Attribute en az :min kilobayt olabilir.',
'message' => 'ileti', 'numeric' => ':Attribute en az :min olabilir.',
'middle_name' => 'ikinci ad', 'string' => ':Attribute en az :min karakter olabilir.',
'minute' => 'dakika', ),
'mobile' => 'cep telefonu', 'min_digits' => ':Attribute en az :min basamak içermelidir.',
'month' => 'ay', 'multiple_of' => ':Attribute, :value\'nin katları olmalıdır',
'name' => 'adı', 'not_in' => 'Seçili :attribute geçersiz.',
'national_code' => 'ulusal kod', 'not_regex' => ':Attribute biçimi geçersiz.',
'number' => 'sayı', 'numeric' => ':Attribute mutlaka bir sayı olmalıdır.',
'password' => 'parola', 'password' =>
'password_confirmation' => 'parola (tekrar)', array (
'phone' => 'telefon', 'letters' => ':Attribute en az bir harf içermelidir.',
'photo' => 'fotoğraf', 'mixed' => ':Attribute en az bir büyük harf ve bir küçük harf içermelidir.',
'postal_code' => 'posta kodu', 'numbers' => ':Attribute en az bir sayı içermelidir.',
'price' => 'fiyat', 'symbols' => ':Attribute en az bir sembol içermelidir.',
'province' => 'bölge', 'uncompromised' => 'Verilen :attribute bir veri sızıntısında ortaya çıktı. Lütfen farklı bir :attribute seçin.',
'recaptcha_response_field' => 'recaptcha yanıt alanı', ),
'remember' => 'hatırlamak', 'present' => ':Attribute mutlaka mevcut olmalıdır.',
'restored_at' => 'restore', 'prohibited' => ':Attribute alanı kısıtlanmıştır.',
'result_text_under_image' => 'resmin altındaki sonuç metni', 'prohibited_if' => ':Other alanının değeri :value ise :attribute alanına veri girişi yapılamaz.',
'role' => 'rol', 'prohibited_unless' => ':Other alanı :value değerlerinden birisi değilse :attribute alanına veri girişi yapılamaz.',
'second' => 'saniye', 'prohibits' => ':Attribute alanı :other alanının mevcut olmasını yasaklar.',
'sex' => 'cinsiyet', 'regex' => ':Attribute biçimi geçersiz.',
'short_text' => 'kısa metin', 'relatable' => 'Bu :attribute bu kaynakla ilişkili olmayabilir.',
'size' => 'boyut', 'required' => ':Attribute mutlaka gereklidir.',
'state' => 'durum', 'required_array_keys' => ':Attribute değeri şu verileri içermelidir: :values.',
'street' => 'sokak', 'required_if' => ':Attribute :other :value değerine sahip olduğunda mutlaka gereklidir.',
'student' => 'öğrenci', 'required_if_accepted' => ':Attribute alanı, :other kabul edildiğinde gereklidir.',
'subject' => 'ders', 'required_unless' => ':Attribute :other :values değerlerinden birine sahip olmadığında mutlaka gereklidir.',
'teacher' => 'öğretmen', 'required_with' => ':Attribute :values varken mutlaka gereklidir.',
'terms' => 'şartlar', 'required_with_all' => ':Attribute herhangi bir :values değeri varken mutlaka gereklidir.',
'test_description' => 'test açıklaması', 'required_without' => ':Attribute :values yokken mutlaka gereklidir.',
'test_locale' => 'yerel ayar', 'required_without_all' => ':Attribute :values değerlerinden herhangi biri yokken mutlaka gereklidir.',
'test_name' => 'deneme adı', 'same' => ':Attribute ile :other aynı olmalıdır.',
'text' => 'metin', 'size' =>
'time' => 'zaman', array (
'title' => 'unvan', 'array' => ':Attribute mutlaka :size ögeye sahip olmalıdır.',
'updated_at' => 'güncellendi', 'file' => ':Attribute mutlaka :size kilobayt olmalıdır.',
'username' => 'kullanıcı adı', 'numeric' => ':Attribute mutlaka :size olmalıdır.',
'year' => 'yıl', 'string' => ':Attribute mutlaka :size karakterli olmalıdır.',
], ),
]; 'starts_with' => ':Attribute sadece şu değerlerden biriyle başlayabilir: :values.',
'string' => ':Attribute mutlaka bir metin olmalıdır.',
'timezone' => ':Attribute mutlaka geçerli bir saat dilimi olmalıdır.',
'unique' => ':Attribute zaten alınmış.',
'uploaded' => ':Attribute yüklemesi başarısız.',
'uppercase' => 'The :attribute must be uppercase.',
'url' => ':Attribute biçimi geçersiz.',
'uuid' => ':Attribute mutlaka geçerli bir UUID olmalıdır.',
);

View File

@@ -0,0 +1,21 @@
<?php
return array (
'approve_comment' => 'Kommenar freigeben',
'awaits_approval' => 'wartet auf Freigabe',
'cancel' => 'Abbrechen',
'copied' => 'kopiert',
'create_comment' => 'Kommentar verfassen',
'create_reply' => 'Antwort erstellen',
'delete' => 'löschen',
'delete_confirmation_text' => 'delete_confirmation_text',
'delete_confirmation_title' => 'delete_confirmation_title',
'edit' => 'editieren',
'edit_comment' => 'Kommentar editieren',
'guest' => 'Gast',
'just_now' => 'Gerade eben',
'no_comments_yet' => 'bisher keine Kommentare',
'reject_comment' => 'Kommentar ablehnen',
'write_comment' => 'Kommentar schreiben',
'write_reply' => 'Antwort schreiben',
);

View File

@@ -0,0 +1,18 @@
<?php
return array (
'approve_comment' => 'Kommentar freigegeben',
'approved_comment_mail_body' => 'Verfasst von :commentator_name',
'approved_comment_mail_subject' => 'Ein neuer Kommentar wurde veröffentlicht',
'approved_comment_mail_title' => 'Ein neuer Kommentar zu ":commentable_name"',
'enum_description_all' => 'Für alle Kommentare',
'enum_description_none' => 'Nie',
'enum_description_participating' => 'Bei Beteiligung',
'enum_longdescription_all' => 'Werde bei Allem benachrichtigt',
'enum_longdescription_none' => 'keine Benachrichtigungen',
'enum_longdescription_participating' => 'Werde bei Teilnahme benachrichtigt',
'pending_comment_mail_body' => 'Ein ausstehender Kommentar :commentable_name von :commentator_name wartet auf deine Zustimmung',
'pending_comment_mail_subject' => 'Ein neuer Kommentar wartet auf Genehmigung',
'reject_comment' => 'Kommentar abgelehnt',
'view_comment' => 'Kommentar ansehen',
);

View File

@@ -0,0 +1,21 @@
<?php
return array (
'approve_comment' => '',
'awaits_approval' => '',
'cancel' => '',
'copied' => '',
'create_comment' => '',
'create_reply' => '',
'delete' => '',
'delete_confirmation_text' => '',
'delete_confirmation_title' => '',
'edit' => '',
'edit_comment' => '',
'guest' => '',
'just_now' => '',
'no_comments_yet' => '',
'reject_comment' => '',
'write_comment' => '',
'write_reply' => '',
);

View File

@@ -0,0 +1,18 @@
<?php
return array (
'approve_comment' => '',
'approved_comment_mail_body' => '',
'approved_comment_mail_subject' => '',
'approved_comment_mail_title' => '',
'enum_description_all' => '',
'enum_description_none' => '',
'enum_description_participating' => '',
'enum_longdescription_all' => '',
'enum_longdescription_none' => '',
'enum_longdescription_participating' => '',
'pending_comment_mail_body' => '',
'pending_comment_mail_subject' => '',
'reject_comment' => '',
'view_comment' => '',
);

View File

@@ -0,0 +1,21 @@
<?php
return array (
'approve_comment' => '',
'awaits_approval' => '',
'cancel' => '',
'copied' => '',
'create_comment' => '',
'create_reply' => '',
'delete' => '',
'delete_confirmation_text' => '',
'delete_confirmation_title' => '',
'edit' => '',
'edit_comment' => '',
'guest' => '',
'just_now' => '',
'no_comments_yet' => '',
'reject_comment' => '',
'write_comment' => '',
'write_reply' => '',
);

View File

@@ -0,0 +1,18 @@
<?php
return array (
'approve_comment' => '',
'approved_comment_mail_body' => '',
'approved_comment_mail_subject' => '',
'approved_comment_mail_title' => '',
'enum_description_all' => '',
'enum_description_none' => '',
'enum_description_participating' => '',
'enum_longdescription_all' => '',
'enum_longdescription_none' => '',
'enum_longdescription_participating' => '',
'pending_comment_mail_body' => '',
'pending_comment_mail_subject' => '',
'reject_comment' => '',
'view_comment' => '',
);

View File

@@ -0,0 +1,21 @@
<?php
return array (
'approve_comment' => '',
'awaits_approval' => '',
'cancel' => '',
'copied' => '',
'create_comment' => '',
'create_reply' => '',
'delete' => '',
'delete_confirmation_text' => '',
'delete_confirmation_title' => '',
'edit' => '',
'edit_comment' => '',
'guest' => '',
'just_now' => '',
'no_comments_yet' => '',
'reject_comment' => '',
'write_comment' => '',
'write_reply' => '',
);

View File

@@ -0,0 +1,18 @@
<?php
return array (
'approve_comment' => '',
'approved_comment_mail_body' => '',
'approved_comment_mail_subject' => '',
'approved_comment_mail_title' => '',
'enum_description_all' => '',
'enum_description_none' => '',
'enum_description_participating' => '',
'enum_longdescription_all' => '',
'enum_longdescription_none' => '',
'enum_longdescription_participating' => '',
'pending_comment_mail_body' => '',
'pending_comment_mail_subject' => '',
'reject_comment' => '',
'view_comment' => '',
);

View File

@@ -0,0 +1,21 @@
<?php
return array (
'approve_comment' => '',
'awaits_approval' => '',
'cancel' => '',
'copied' => '',
'create_comment' => '',
'create_reply' => '',
'delete' => '',
'delete_confirmation_text' => '',
'delete_confirmation_title' => '',
'edit' => '',
'edit_comment' => '',
'guest' => '',
'just_now' => '',
'no_comments_yet' => '',
'reject_comment' => '',
'write_comment' => '',
'write_reply' => '',
);

View File

@@ -0,0 +1,18 @@
<?php
return array (
'approve_comment' => '',
'approved_comment_mail_body' => '',
'approved_comment_mail_subject' => '',
'approved_comment_mail_title' => '',
'enum_description_all' => '',
'enum_description_none' => '',
'enum_description_participating' => '',
'enum_longdescription_all' => '',
'enum_longdescription_none' => '',
'enum_longdescription_participating' => '',
'pending_comment_mail_body' => '',
'pending_comment_mail_subject' => '',
'reject_comment' => '',
'view_comment' => '',
);

View File

@@ -0,0 +1,21 @@
<?php
return array (
'approve_comment' => '',
'awaits_approval' => '',
'cancel' => '',
'copied' => '',
'create_comment' => '',
'create_reply' => '',
'delete' => '',
'delete_confirmation_text' => '',
'delete_confirmation_title' => '',
'edit' => '',
'edit_comment' => '',
'guest' => '',
'just_now' => '',
'no_comments_yet' => '',
'reject_comment' => '',
'write_comment' => '',
'write_reply' => '',
);

View File

@@ -0,0 +1,18 @@
<?php
return array (
'approve_comment' => '',
'approved_comment_mail_body' => '',
'approved_comment_mail_subject' => '',
'approved_comment_mail_title' => '',
'enum_description_all' => '',
'enum_description_none' => '',
'enum_description_participating' => '',
'enum_longdescription_all' => '',
'enum_longdescription_none' => '',
'enum_longdescription_participating' => '',
'pending_comment_mail_body' => '',
'pending_comment_mail_subject' => '',
'reject_comment' => '',
'view_comment' => '',
);

View File

@@ -0,0 +1,21 @@
<?php
return array (
'approve_comment' => '',
'awaits_approval' => '',
'cancel' => '',
'copied' => '',
'create_comment' => '',
'create_reply' => '',
'delete' => '',
'delete_confirmation_text' => '',
'delete_confirmation_title' => '',
'edit' => '',
'edit_comment' => '',
'guest' => '',
'just_now' => '',
'no_comments_yet' => '',
'reject_comment' => '',
'write_comment' => '',
'write_reply' => '',
);

View File

@@ -0,0 +1,18 @@
<?php
return array (
'approve_comment' => '',
'approved_comment_mail_body' => '',
'approved_comment_mail_subject' => '',
'approved_comment_mail_title' => '',
'enum_description_all' => '',
'enum_description_none' => '',
'enum_description_participating' => '',
'enum_longdescription_all' => '',
'enum_longdescription_none' => '',
'enum_longdescription_participating' => '',
'pending_comment_mail_body' => '',
'pending_comment_mail_subject' => '',
'reject_comment' => '',
'view_comment' => '',
);

Some files were not shown because too many files have changed in this diff Show More