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

View File

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

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
return [
'reset' => 'Das Passwort wurde zurückgesetzt!', 'reset' => 'Das Passwort wurde zurückgesetzt!',
'sent' => 'Passworterinnerung wurde gesendet!', 'sent' => 'Passworterinnerung wurde gesendet!',
'throttled' => 'Bitte warten Sie, bevor Sie es erneut versuchen.', 'throttled' => 'Bitte warten Sie, bevor Sie es erneut versuchen.',
'token' => 'Der Passwort-Wiederherstellungs-Schlüssel ist ungültig oder abgelaufen.', 'token' => 'Der Passwort-Wiederherstellungs-Schlüssel ist ungültig oder abgelaufen.',
'user' => 'Es konnte leider kein Nutzer mit dieser E-Mail-Adresse gefunden werden.', '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,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
return [
'accepted' => ':Attribute muss akzeptiert werden.', 'accepted' => ':Attribute muss akzeptiert werden.',
'accepted_if' => ':Attribute muss akzeptiert werden, wenn :other :value ist.', 'accepted_if' => ':Attribute muss akzeptiert werden, wenn :other :value ist.',
'active_url' => ':Attribute ist keine gültige Internet-Adresse.', 'active_url' => ':Attribute ist keine gültige Internet-Adresse.',
@@ -13,128 +11,8 @@ return [
'alpha_num' => ':Attribute darf nur aus Buchstaben und Zahlen bestehen.', 'alpha_num' => ':Attribute darf nur aus Buchstaben und Zahlen bestehen.',
'array' => ':Attribute muss ein Array sein.', 'array' => ':Attribute muss ein Array sein.',
'attached' => ':Attribute ist bereits angehängt.', 'attached' => ':Attribute ist bereits angehängt.',
'before' => ':Attribute muss ein Datum vor :date sein.', 'attributes' =>
'before_or_equal' => ':Attribute muss ein Datum vor :date oder gleich :date sein.', array (
'between' => [
'array' => ':Attribute muss zwischen :min & :max Elemente haben.',
'file' => ':Attribute muss zwischen :min & :max Kilobytes groß sein.',
'numeric' => ':Attribute muss zwischen :min & :max liegen.',
'string' => ':Attribute muss zwischen :min & :max Zeichen lang sein.',
],
'boolean' => ':Attribute muss entweder \'true\' oder \'false\' sein.',
'confirmed' => ':Attribute stimmt nicht mit der Bestätigung überein.',
'current_password' => 'Das Passwort ist falsch.',
'date' => ':Attribute muss ein gültiges Datum sein.',
'date_equals' => ':Attribute muss ein Datum gleich :date sein.',
'date_format' => ':Attribute entspricht nicht dem gültigen Format für :format.',
'declined' => ':Attribute muss abgelehnt werden.',
'declined_if' => ':Attribute muss abgelehnt werden wenn :other :value ist.',
'different' => ':Attribute und :other müssen sich unterscheiden.',
'digits' => ':Attribute muss :digits Stellen haben.',
'digits_between' => ':Attribute muss zwischen :min und :max Stellen haben.',
'dimensions' => ':Attribute hat ungültige Bildabmessungen.',
'distinct' => ':Attribute beinhaltet einen bereits vorhandenen Wert.',
'doesnt_end_with' => ':Attribute darf nicht mit einem der folgenden enden: :values.',
'doesnt_start_with' => ':Attribute darf nicht mit einem der folgenden beginnen: :values.',
'email' => ':Attribute muss eine gültige E-Mail-Adresse sein.',
'ends_with' => ':Attribute muss eine der folgenden Endungen aufweisen: :values',
'enum' => 'Der ausgewählte Wert ist ungültig.',
'exists' => 'Der gewählte Wert für :attribute ist ungültig.',
'file' => ':Attribute muss eine Datei sein.',
'filled' => ':Attribute muss ausgefüllt sein.',
'gt' => [
'array' => ':Attribute muss mehr als :value Elemente haben.',
'file' => ':Attribute muss größer als :value Kilobytes sein.',
'numeric' => ':Attribute muss größer als :value sein.',
'string' => ':Attribute muss länger als :value Zeichen sein.',
],
'gte' => [
'array' => ':Attribute muss mindestens :value Elemente haben.',
'file' => ':Attribute muss größer oder gleich :value Kilobytes sein.',
'numeric' => ':Attribute muss größer oder gleich :value sein.',
'string' => ':Attribute muss mindestens :value Zeichen lang sein.',
],
'image' => ':Attribute muss ein Bild sein.',
'in' => 'Der gewählte Wert für :attribute ist ungültig.',
'in_array' => 'Der gewählte Wert für :attribute kommt nicht in :other vor.',
'integer' => ':Attribute muss eine ganze Zahl sein.',
'ip' => ':Attribute muss eine gültige IP-Adresse sein.',
'ipv4' => ':Attribute muss eine gültige IPv4-Adresse sein.',
'ipv6' => ':Attribute muss eine gültige IPv6-Adresse sein.',
'json' => ':Attribute muss ein gültiger JSON-String sein.',
'lowercase' => ':Attribute muss in Kleinbuchstaben sein.',
'lt' => [
'array' => ':Attribute muss weniger als :value Elemente haben.',
'file' => ':Attribute muss kleiner als :value Kilobytes sein.',
'numeric' => ':Attribute muss kleiner als :value sein.',
'string' => ':Attribute muss kürzer als :value Zeichen sein.',
],
'lte' => [
'array' => ':Attribute darf maximal :value Elemente haben.',
'file' => ':Attribute muss kleiner oder gleich :value Kilobytes sein.',
'numeric' => ':Attribute muss kleiner oder gleich :value sein.',
'string' => ':Attribute darf maximal :value Zeichen lang sein.',
],
'mac_address' => 'Der Wert muss eine gültige MAC-Adresse sein.',
'max' => [
'array' => ':Attribute darf maximal :max Elemente haben.',
'file' => ':Attribute darf maximal :max Kilobytes groß sein.',
'numeric' => ':Attribute darf maximal :max sein.',
'string' => ':Attribute darf maximal :max Zeichen haben.',
],
'max_digits' => ':Attribute darf maximal :max Ziffern lang sein.',
'mimes' => ':Attribute muss den Dateityp :values haben.',
'mimetypes' => ':Attribute muss den Dateityp :values haben.',
'min' => [
'array' => ':Attribute muss mindestens :min Elemente haben.',
'file' => ':Attribute muss mindestens :min Kilobytes groß sein.',
'numeric' => ':Attribute muss mindestens :min sein.',
'string' => ':Attribute muss mindestens :min Zeichen lang sein.',
],
'min_digits' => ':Attribute muss mindestens :min Ziffern lang sein.',
'multiple_of' => ':Attribute muss ein Vielfaches von :value sein.',
'not_in' => 'Der gewählte Wert für :attribute ist ungültig.',
'not_regex' => ':Attribute hat ein ungültiges Format.',
'numeric' => ':Attribute muss eine Zahl sein.',
'password' => [
'letters' => ':Attribute muss mindestens einen Buchstaben beinhalten.',
'mixed' => ':Attribute muss mindestens einen Großbuchstaben und einen Kleinbuchstaben beinhalten.',
'numbers' => ':Attribute muss mindestens eine Zahl beinhalten.',
'symbols' => ':Attribute muss mindestens ein Sonderzeichen beinhalten.',
'uncompromised' => ':Attribute wurde in einem Datenleck gefunden. Bitte wählen Sie ein anderes :attribute.',
],
'present' => ':Attribute muss vorhanden sein.',
'prohibited' => ':Attribute ist unzulässig.',
'prohibited_if' => ':Attribute ist unzulässig, wenn :other :value ist.',
'prohibited_unless' => ':Attribute ist unzulässig, wenn :other nicht :values ist.',
'prohibits' => ':Attribute verbietet die Angabe von :other.',
'regex' => ':Attribute Format ist ungültig.',
'relatable' => ':Attribute kann nicht mit dieser Ressource verbunden werden.',
'required' => ':Attribute muss ausgefüllt werden.',
'required_array_keys' => 'Dieses Feld muss Einträge enthalten für: :values.',
'required_if' => ':Attribute muss ausgefüllt werden, wenn :other den Wert :value hat.',
'required_if_accepted' => ':Attribute muss ausgefüllt werden, wenn :other gewählt ist.',
'required_unless' => ':Attribute muss ausgefüllt werden, wenn :other nicht den Wert :values hat.',
'required_with' => ':Attribute muss ausgefüllt werden, wenn :values ausgefüllt wurde.',
'required_with_all' => ':Attribute muss ausgefüllt werden, wenn :values ausgefüllt wurde.',
'required_without' => ':Attribute muss ausgefüllt werden, wenn :values nicht ausgefüllt wurde.',
'required_without_all' => ':Attribute muss ausgefüllt werden, wenn keines der Felder :values ausgefüllt wurde.',
'same' => ':Attribute und :other müssen übereinstimmen.',
'size' => [
'array' => ':Attribute muss genau :size Elemente haben.',
'file' => ':Attribute muss :size Kilobyte groß sein.',
'numeric' => ':Attribute muss gleich :size sein.',
'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.',
'attributes' => [
'address' => 'adresse', 'address' => 'adresse',
'age' => 'alter', 'age' => 'alter',
'amount' => 'amount', 'amount' => 'amount',
@@ -206,5 +84,135 @@ return [
'updated_at' => 'aktualisiert am', 'updated_at' => 'aktualisiert am',
'username' => 'benutzername', 'username' => 'benutzername',
'year' => 'jahr', 'year' => 'jahr',
], ),
]; 'before' => ':Attribute muss ein Datum vor :date sein.',
'before_or_equal' => ':Attribute muss ein Datum vor :date oder gleich :date sein.',
'between' =>
array (
'array' => ':Attribute muss zwischen :min & :max Elemente haben.',
'file' => ':Attribute muss zwischen :min & :max Kilobytes groß sein.',
'numeric' => ':Attribute muss zwischen :min & :max liegen.',
'string' => ':Attribute muss zwischen :min & :max Zeichen lang sein.',
),
'boolean' => ':Attribute muss entweder \'true\' oder \'false\' sein.',
'confirmed' => ':Attribute stimmt nicht mit der Bestätigung überein.',
'current_password' => 'Das Passwort ist falsch.',
'date' => ':Attribute muss ein gültiges Datum sein.',
'date_equals' => ':Attribute muss ein Datum gleich :date sein.',
'date_format' => ':Attribute entspricht nicht dem gültigen Format für :format.',
'declined' => ':Attribute muss abgelehnt werden.',
'declined_if' => ':Attribute muss abgelehnt werden wenn :other :value ist.',
'different' => ':Attribute und :other müssen sich unterscheiden.',
'digits' => ':Attribute muss :digits Stellen haben.',
'digits_between' => ':Attribute muss zwischen :min und :max Stellen haben.',
'dimensions' => ':Attribute hat ungültige Bildabmessungen.',
'distinct' => ':Attribute beinhaltet einen bereits vorhandenen Wert.',
'doesnt_end_with' => ':Attribute darf nicht mit einem der folgenden enden: :values.',
'doesnt_start_with' => ':Attribute darf nicht mit einem der folgenden beginnen: :values.',
'email' => ':Attribute muss eine gültige E-Mail-Adresse sein.',
'ends_with' => ':Attribute muss eine der folgenden Endungen aufweisen: :values',
'enum' => 'Der ausgewählte Wert ist ungültig.',
'exists' => 'Der gewählte Wert für :attribute ist ungültig.',
'file' => ':Attribute muss eine Datei sein.',
'filled' => ':Attribute muss ausgefüllt sein.',
'gt' =>
array (
'array' => ':Attribute muss mehr als :value Elemente haben.',
'file' => ':Attribute muss größer als :value Kilobytes sein.',
'numeric' => ':Attribute muss größer als :value sein.',
'string' => ':Attribute muss länger als :value Zeichen sein.',
),
'gte' =>
array (
'array' => ':Attribute muss mindestens :value Elemente haben.',
'file' => ':Attribute muss größer oder gleich :value Kilobytes sein.',
'numeric' => ':Attribute muss größer oder gleich :value sein.',
'string' => ':Attribute muss mindestens :value Zeichen lang sein.',
),
'image' => ':Attribute muss ein Bild sein.',
'in' => 'Der gewählte Wert für :attribute ist ungültig.',
'in_array' => 'Der gewählte Wert für :attribute kommt nicht in :other vor.',
'integer' => ':Attribute muss eine ganze Zahl sein.',
'ip' => ':Attribute muss eine gültige IP-Adresse sein.',
'ipv4' => ':Attribute muss eine gültige IPv4-Adresse sein.',
'ipv6' => ':Attribute muss eine gültige IPv6-Adresse sein.',
'json' => ':Attribute muss ein gültiger JSON-String sein.',
'lowercase' => ':Attribute muss in Kleinbuchstaben sein.',
'lt' =>
array (
'array' => ':Attribute muss weniger als :value Elemente haben.',
'file' => ':Attribute muss kleiner als :value Kilobytes sein.',
'numeric' => ':Attribute muss kleiner als :value sein.',
'string' => ':Attribute muss kürzer als :value Zeichen sein.',
),
'lte' =>
array (
'array' => ':Attribute darf maximal :value Elemente haben.',
'file' => ':Attribute muss kleiner oder gleich :value Kilobytes sein.',
'numeric' => ':Attribute muss kleiner oder gleich :value sein.',
'string' => ':Attribute darf maximal :value Zeichen lang sein.',
),
'mac_address' => 'Der Wert muss eine gültige MAC-Adresse sein.',
'max' =>
array (
'array' => ':Attribute darf maximal :max Elemente haben.',
'file' => ':Attribute darf maximal :max Kilobytes groß sein.',
'numeric' => ':Attribute darf maximal :max sein.',
'string' => ':Attribute darf maximal :max Zeichen haben.',
),
'max_digits' => ':Attribute darf maximal :max Ziffern lang sein.',
'mimes' => ':Attribute muss den Dateityp :values haben.',
'mimetypes' => ':Attribute muss den Dateityp :values haben.',
'min' =>
array (
'array' => ':Attribute muss mindestens :min Elemente haben.',
'file' => ':Attribute muss mindestens :min Kilobytes groß sein.',
'numeric' => ':Attribute muss mindestens :min sein.',
'string' => ':Attribute muss mindestens :min Zeichen lang sein.',
),
'min_digits' => ':Attribute muss mindestens :min Ziffern lang sein.',
'multiple_of' => ':Attribute muss ein Vielfaches von :value sein.',
'not_in' => 'Der gewählte Wert für :attribute ist ungültig.',
'not_regex' => ':Attribute hat ein ungültiges Format.',
'numeric' => ':Attribute muss eine Zahl sein.',
'password' =>
array (
'letters' => ':Attribute muss mindestens einen Buchstaben beinhalten.',
'mixed' => ':Attribute muss mindestens einen Großbuchstaben und einen Kleinbuchstaben beinhalten.',
'numbers' => ':Attribute muss mindestens eine Zahl beinhalten.',
'symbols' => ':Attribute muss mindestens ein Sonderzeichen beinhalten.',
'uncompromised' => ':Attribute wurde in einem Datenleck gefunden. Bitte wählen Sie ein anderes :attribute.',
),
'present' => ':Attribute muss vorhanden sein.',
'prohibited' => ':Attribute ist unzulässig.',
'prohibited_if' => ':Attribute ist unzulässig, wenn :other :value ist.',
'prohibited_unless' => ':Attribute ist unzulässig, wenn :other nicht :values ist.',
'prohibits' => ':Attribute verbietet die Angabe von :other.',
'regex' => ':Attribute Format ist ungültig.',
'relatable' => ':Attribute kann nicht mit dieser Ressource verbunden werden.',
'required' => ':Attribute muss ausgefüllt werden.',
'required_array_keys' => 'Dieses Feld muss Einträge enthalten für: :values.',
'required_if' => ':Attribute muss ausgefüllt werden, wenn :other den Wert :value hat.',
'required_if_accepted' => ':Attribute muss ausgefüllt werden, wenn :other gewählt ist.',
'required_unless' => ':Attribute muss ausgefüllt werden, wenn :other nicht den Wert :values hat.',
'required_with' => ':Attribute muss ausgefüllt werden, wenn :values ausgefüllt wurde.',
'required_with_all' => ':Attribute muss ausgefüllt werden, wenn :values ausgefüllt wurde.',
'required_without' => ':Attribute muss ausgefüllt werden, wenn :values nicht ausgefüllt wurde.',
'required_without_all' => ':Attribute muss ausgefüllt werden, wenn keines der Felder :values ausgefüllt wurde.',
'same' => ':Attribute und :other müssen übereinstimmen.',
'size' =>
array (
'array' => ':Attribute muss genau :size Elemente haben.',
'file' => ':Attribute muss :size Kilobyte groß sein.',
'numeric' => ':Attribute muss gleich :size sein.',
'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 (
return [
'failed' => 'These credentials do not match our records.', 'failed' => 'These credentials do not match our records.',
'password' => 'The password is incorrect.', 'password' => 'The password is incorrect.',
'throttle' => 'Too many login attempts. Please try again in :seconds seconds.', '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 [
'0' => 'Unknown Error',
'100' => 'Continue',
'101' => 'Switching Protocols',
'102' => 'Processing',
'200' => 'OK',
'201' => 'Created',
'202' => 'Accepted',
'203' => 'Non-Authoritative Information',
'204' => 'No Content',
'205' => 'Reset Content',
'206' => 'Partial Content',
'207' => 'Multi-Status',
'208' => 'Already Reported',
'226' => 'IM Used',
'300' => 'Multiple Choices',
'301' => 'Moved Permanently',
'302' => 'Found',
'303' => 'See Other',
'304' => 'Not Modified',
'305' => 'Use Proxy',
'307' => 'Temporary Redirect',
'308' => 'Permanent Redirect',
'400' => 'Bad Request',
'401' => 'Unauthorized',
'402' => 'Payment Required',
'403' => 'Forbidden',
'404' => 'Not Found',
'405' => 'Method Not Allowed',
'406' => 'Not Acceptable',
'407' => 'Proxy Authentication Required',
'408' => 'Request Timeout',
'409' => 'Conflict',
'410' => 'Gone',
'411' => 'Length Required',
'412' => 'Precondition Failed',
'413' => 'Payload Too Large',
'414' => 'URI Too Long',
'415' => 'Unsupported Media Type',
'416' => 'Range Not Satisfiable',
'417' => 'Expectation Failed',
'418' => 'I\'m a teapot',
'419' => 'Session Has Expired',
'421' => 'Misdirected Request',
'422' => 'Unprocessable Entity',
'423' => 'Locked',
'424' => 'Failed Dependency',
'425' => 'Too Early',
'426' => 'Upgrade Required',
'428' => 'Precondition Required',
'429' => 'Too Many Requests',
'431' => 'Request Header Fields Too Large',
'444' => 'Connection Closed Without Response',
'449' => 'Retry With',
'451' => 'Unavailable For Legal Reasons',
'499' => 'Client Closed Request',
'500' => 'Internal Server Error',
'501' => 'Not Implemented',
'502' => 'Bad Gateway',
'503' => 'Maintenance Mode',
'504' => 'Gateway Timeout',
'505' => 'HTTP Version Not Supported',
'506' => 'Variant Also Negotiates',
'507' => 'Insufficient Storage',
'508' => 'Loop Detected',
'509' => 'Bandwidth Limit Exceeded',
'510' => 'Not Extended',
'511' => 'Network Authentication Required',
'520' => 'Unknown Error',
'521' => 'Web Server is Down',
'522' => 'Connection Timed Out',
'523' => 'Origin Is Unreachable',
'524' => 'A Timeout Occurred',
'525' => 'SSL Handshake Failed',
'526' => 'Invalid SSL Certificate',
'527' => 'Railgun Error',
'598' => 'Network Read Timeout Error',
'599' => 'Network Connect Timeout Error',
'unknownError' => 'Unknown Error', 'unknownError' => 'Unknown Error',
]; 100 => 'Continue',
101 => 'Switching Protocols',
102 => 'Processing',
200 => 'OK',
201 => 'Created',
202 => 'Accepted',
203 => 'Non-Authoritative Information',
204 => 'No Content',
205 => 'Reset Content',
206 => 'Partial Content',
207 => 'Multi-Status',
208 => 'Already Reported',
226 => 'IM Used',
300 => 'Multiple Choices',
301 => 'Moved Permanently',
302 => 'Found',
303 => 'See Other',
304 => 'Not Modified',
305 => 'Use Proxy',
307 => 'Temporary Redirect',
308 => 'Permanent Redirect',
400 => 'Bad Request',
401 => 'Unauthorized',
402 => 'Payment Required',
403 => 'Forbidden',
404 => 'Not Found',
405 => 'Method Not Allowed',
406 => 'Not Acceptable',
407 => 'Proxy Authentication Required',
408 => 'Request Timeout',
409 => 'Conflict',
410 => 'Gone',
411 => 'Length Required',
412 => 'Precondition Failed',
413 => 'Payload Too Large',
414 => 'URI Too Long',
415 => 'Unsupported Media Type',
416 => 'Range Not Satisfiable',
417 => 'Expectation Failed',
418 => 'I\'m a teapot',
419 => 'Session Has Expired',
421 => 'Misdirected Request',
422 => 'Unprocessable Entity',
423 => 'Locked',
424 => 'Failed Dependency',
425 => 'Too Early',
426 => 'Upgrade Required',
428 => 'Precondition Required',
429 => 'Too Many Requests',
431 => 'Request Header Fields Too Large',
444 => 'Connection Closed Without Response',
449 => 'Retry With',
451 => 'Unavailable For Legal Reasons',
499 => 'Client Closed Request',
500 => 'Internal Server Error',
501 => 'Not Implemented',
502 => 'Bad Gateway',
503 => 'Maintenance Mode',
504 => 'Gateway Timeout',
505 => 'HTTP Version Not Supported',
506 => 'Variant Also Negotiates',
507 => 'Insufficient Storage',
508 => 'Loop Detected',
509 => 'Bandwidth Limit Exceeded',
510 => 'Not Extended',
511 => 'Network Authentication Required',
520 => 'Unknown Error',
521 => 'Web Server is Down',
522 => 'Connection Timed Out',
523 => 'Origin Is Unreachable',
524 => 'A Timeout Occurred',
525 => 'SSL Handshake Failed',
526 => 'Invalid SSL Certificate',
527 => 'Railgun Error',
598 => 'Network Read Timeout Error',
599 => 'Network Connect Timeout Error',
);

View File

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

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
return [
'reset' => 'Your password has been reset!', 'reset' => 'Your password has been reset!',
'sent' => 'We have emailed your password reset link!', 'sent' => 'We have emailed your password reset link!',
'throttled' => 'Please wait before retrying.', 'throttled' => 'Please wait before retrying.',
'token' => 'This password reset token is invalid.', 'token' => 'This password reset token is invalid.',
'user' => 'We can\'t find a user with that email address.', '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,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
return [
'accepted' => 'The :attribute must be accepted.', 'accepted' => 'The :attribute must be accepted.',
'accepted_if' => 'The :attribute must be accepted when :other is :value.', 'accepted_if' => 'The :attribute must be accepted when :other is :value.',
'active_url' => 'The :attribute is not a valid URL.', 'active_url' => 'The :attribute is not a valid URL.',
@@ -13,128 +11,8 @@ return [
'alpha_num' => 'The :attribute must only contain letters and numbers.', 'alpha_num' => 'The :attribute must only contain letters and numbers.',
'array' => 'The :attribute must be an array.', 'array' => 'The :attribute must be an array.',
'attached' => 'This :attribute is already attached.', 'attached' => 'This :attribute is already attached.',
'before' => 'The :attribute must be a date before :date.', 'attributes' =>
'before_or_equal' => 'The :attribute must be a date before or equal to :date.', array (
'between' => [
'array' => 'The :attribute must have between :min and :max items.',
'file' => 'The :attribute must be between :min and :max kilobytes.',
'numeric' => 'The :attribute must be between :min and :max.',
'string' => 'The :attribute must be between :min and :max characters.',
],
'boolean' => 'The :attribute field must be true or false.',
'confirmed' => 'The :attribute confirmation does not match.',
'current_password' => 'The password is incorrect.',
'date' => 'The :attribute is not a valid date.',
'date_equals' => 'The :attribute must be a date equal to :date.',
'date_format' => 'The :attribute does not match the format :format.',
'declined' => 'The :attribute must be declined.',
'declined_if' => 'The :attribute must be declined when :other is :value.',
'different' => 'The :attribute and :other must be different.',
'digits' => 'The :attribute must be :digits digits.',
'digits_between' => 'The :attribute must be between :min and :max digits.',
'dimensions' => 'The :attribute has invalid image dimensions.',
'distinct' => 'The :attribute field has a duplicate value.',
'doesnt_end_with' => 'The :attribute may not end with one of the following: :values.',
'doesnt_start_with' => 'The :attribute may not start with one of the following: :values.',
'email' => 'The :attribute must be a valid email address.',
'ends_with' => 'The :attribute must end with one of the following: :values.',
'enum' => 'The selected :attribute is invalid.',
'exists' => 'The selected :attribute is invalid.',
'file' => 'The :attribute must be a file.',
'filled' => 'The :attribute field must have a value.',
'gt' => [
'array' => 'The :attribute must have more than :value items.',
'file' => 'The :attribute must be greater than :value kilobytes.',
'numeric' => 'The :attribute must be greater than :value.',
'string' => 'The :attribute must be greater than :value characters.',
],
'gte' => [
'array' => 'The :attribute must have :value items or more.',
'file' => 'The :attribute must be greater than or equal to :value kilobytes.',
'numeric' => 'The :attribute must be greater than or equal to :value.',
'string' => 'The :attribute must be greater than or equal to :value characters.',
],
'image' => 'The :attribute must be an image.',
'in' => 'The selected :attribute is invalid.',
'in_array' => 'The :attribute field does not exist in :other.',
'integer' => 'The :attribute must be an integer.',
'ip' => 'The :attribute must be a valid IP address.',
'ipv4' => 'The :attribute must be a valid IPv4 address.',
'ipv6' => 'The :attribute must be a valid IPv6 address.',
'json' => 'The :attribute must be a valid JSON string.',
'lowercase' => 'The :attribute must be lowercase.',
'lt' => [
'array' => 'The :attribute must have less than :value items.',
'file' => 'The :attribute must be less than :value kilobytes.',
'numeric' => 'The :attribute must be less than :value.',
'string' => 'The :attribute must be less than :value characters.',
],
'lte' => [
'array' => 'The :attribute must not have more than :value items.',
'file' => 'The :attribute must be less than or equal to :value kilobytes.',
'numeric' => 'The :attribute must be less than or equal to :value.',
'string' => 'The :attribute must be less than or equal to :value characters.',
],
'mac_address' => 'The :attribute must be a valid MAC address.',
'max' => [
'array' => 'The :attribute must not have more than :max items.',
'file' => 'The :attribute must not be greater than :max kilobytes.',
'numeric' => 'The :attribute must not be greater than :max.',
'string' => 'The :attribute must not be greater than :max characters.',
],
'max_digits' => 'The :attribute must not have more than :max digits.',
'mimes' => 'The :attribute must be a file of type: :values.',
'mimetypes' => 'The :attribute must be a file of type: :values.',
'min' => [
'array' => 'The :attribute must have at least :min items.',
'file' => 'The :attribute must be at least :min kilobytes.',
'numeric' => 'The :attribute must be at least :min.',
'string' => 'The :attribute must be at least :min characters.',
],
'min_digits' => 'The :attribute must have at least :min digits.',
'multiple_of' => 'The :attribute must be a multiple of :value.',
'not_in' => 'The selected :attribute is invalid.',
'not_regex' => 'The :attribute format is invalid.',
'numeric' => 'The :attribute must be a number.',
'password' => [
'letters' => 'The :attribute must contain at least one letter.',
'mixed' => 'The :attribute must contain at least one uppercase and one lowercase letter.',
'numbers' => 'The :attribute must contain at least one number.',
'symbols' => 'The :attribute must contain at least one symbol.',
'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.',
],
'present' => 'The :attribute field must be present.',
'prohibited' => 'The :attribute field is prohibited.',
'prohibited_if' => 'The :attribute field is prohibited when :other is :value.',
'prohibited_unless' => 'The :attribute field is prohibited unless :other is in :values.',
'prohibits' => 'The :attribute field prohibits :other from being present.',
'regex' => 'The :attribute format is invalid.',
'relatable' => 'This :attribute may not be associated with this resource.',
'required' => 'The :attribute field is required.',
'required_array_keys' => 'The :attribute field must contain entries for: :values.',
'required_if' => 'The :attribute field is required when :other is :value.',
'required_if_accepted' => 'The :attribute field is required when :other is accepted.',
'required_unless' => 'The :attribute field is required unless :other is in :values.',
'required_with' => 'The :attribute field is required when :values is present.',
'required_with_all' => 'The :attribute field is required when :values are present.',
'required_without' => 'The :attribute field is required when :values is not present.',
'required_without_all' => 'The :attribute field is required when none of :values are present.',
'same' => 'The :attribute and :other must match.',
'size' => [
'array' => 'The :attribute must contain :size items.',
'file' => 'The :attribute must be :size kilobytes.',
'numeric' => 'The :attribute must be :size.',
'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.',
'attributes' => [
'address' => 'address', 'address' => 'address',
'age' => 'age', 'age' => 'age',
'amount' => 'amount', 'amount' => 'amount',
@@ -206,5 +84,135 @@ return [
'updated_at' => 'updated at', 'updated_at' => 'updated at',
'username' => 'username', 'username' => 'username',
'year' => 'year', 'year' => 'year',
], ),
]; 'before' => 'The :attribute must be a date before :date.',
'before_or_equal' => 'The :attribute must be a date before or equal to :date.',
'between' =>
array (
'array' => 'The :attribute must have between :min and :max items.',
'file' => 'The :attribute must be between :min and :max kilobytes.',
'numeric' => 'The :attribute must be between :min and :max.',
'string' => 'The :attribute must be between :min and :max characters.',
),
'boolean' => 'The :attribute field must be true or false.',
'confirmed' => 'The :attribute confirmation does not match.',
'current_password' => 'The password is incorrect.',
'date' => 'The :attribute is not a valid date.',
'date_equals' => 'The :attribute must be a date equal to :date.',
'date_format' => 'The :attribute does not match the format :format.',
'declined' => 'The :attribute must be declined.',
'declined_if' => 'The :attribute must be declined when :other is :value.',
'different' => 'The :attribute and :other must be different.',
'digits' => 'The :attribute must be :digits digits.',
'digits_between' => 'The :attribute must be between :min and :max digits.',
'dimensions' => 'The :attribute has invalid image dimensions.',
'distinct' => 'The :attribute field has a duplicate value.',
'doesnt_end_with' => 'The :attribute may not end with one of the following: :values.',
'doesnt_start_with' => 'The :attribute may not start with one of the following: :values.',
'email' => 'The :attribute must be a valid email address.',
'ends_with' => 'The :attribute must end with one of the following: :values.',
'enum' => 'The selected :attribute is invalid.',
'exists' => 'The selected :attribute is invalid.',
'file' => 'The :attribute must be a file.',
'filled' => 'The :attribute field must have a value.',
'gt' =>
array (
'array' => 'The :attribute must have more than :value items.',
'file' => 'The :attribute must be greater than :value kilobytes.',
'numeric' => 'The :attribute must be greater than :value.',
'string' => 'The :attribute must be greater than :value characters.',
),
'gte' =>
array (
'array' => 'The :attribute must have :value items or more.',
'file' => 'The :attribute must be greater than or equal to :value kilobytes.',
'numeric' => 'The :attribute must be greater than or equal to :value.',
'string' => 'The :attribute must be greater than or equal to :value characters.',
),
'image' => 'The :attribute must be an image.',
'in' => 'The selected :attribute is invalid.',
'in_array' => 'The :attribute field does not exist in :other.',
'integer' => 'The :attribute must be an integer.',
'ip' => 'The :attribute must be a valid IP address.',
'ipv4' => 'The :attribute must be a valid IPv4 address.',
'ipv6' => 'The :attribute must be a valid IPv6 address.',
'json' => 'The :attribute must be a valid JSON string.',
'lowercase' => 'The :attribute must be lowercase.',
'lt' =>
array (
'array' => 'The :attribute must have less than :value items.',
'file' => 'The :attribute must be less than :value kilobytes.',
'numeric' => 'The :attribute must be less than :value.',
'string' => 'The :attribute must be less than :value characters.',
),
'lte' =>
array (
'array' => 'The :attribute must not have more than :value items.',
'file' => 'The :attribute must be less than or equal to :value kilobytes.',
'numeric' => 'The :attribute must be less than or equal to :value.',
'string' => 'The :attribute must be less than or equal to :value characters.',
),
'mac_address' => 'The :attribute must be a valid MAC address.',
'max' =>
array (
'array' => 'The :attribute must not have more than :max items.',
'file' => 'The :attribute must not be greater than :max kilobytes.',
'numeric' => 'The :attribute must not be greater than :max.',
'string' => 'The :attribute must not be greater than :max characters.',
),
'max_digits' => 'The :attribute must not have more than :max digits.',
'mimes' => 'The :attribute must be a file of type: :values.',
'mimetypes' => 'The :attribute must be a file of type: :values.',
'min' =>
array (
'array' => 'The :attribute must have at least :min items.',
'file' => 'The :attribute must be at least :min kilobytes.',
'numeric' => 'The :attribute must be at least :min.',
'string' => 'The :attribute must be at least :min characters.',
),
'min_digits' => 'The :attribute must have at least :min digits.',
'multiple_of' => 'The :attribute must be a multiple of :value.',
'not_in' => 'The selected :attribute is invalid.',
'not_regex' => 'The :attribute format is invalid.',
'numeric' => 'The :attribute must be a number.',
'password' =>
array (
'letters' => 'The :attribute must contain at least one letter.',
'mixed' => 'The :attribute must contain at least one uppercase and one lowercase letter.',
'numbers' => 'The :attribute must contain at least one number.',
'symbols' => 'The :attribute must contain at least one symbol.',
'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.',
),
'present' => 'The :attribute field must be present.',
'prohibited' => 'The :attribute field is prohibited.',
'prohibited_if' => 'The :attribute field is prohibited when :other is :value.',
'prohibited_unless' => 'The :attribute field is prohibited unless :other is in :values.',
'prohibits' => 'The :attribute field prohibits :other from being present.',
'regex' => 'The :attribute format is invalid.',
'relatable' => 'This :attribute may not be associated with this resource.',
'required' => 'The :attribute field is required.',
'required_array_keys' => 'The :attribute field must contain entries for: :values.',
'required_if' => 'The :attribute field is required when :other is :value.',
'required_if_accepted' => 'The :attribute field is required when :other is accepted.',
'required_unless' => 'The :attribute field is required unless :other is in :values.',
'required_with' => 'The :attribute field is required when :values is present.',
'required_with_all' => 'The :attribute field is required when :values are present.',
'required_without' => 'The :attribute field is required when :values is not present.',
'required_without_all' => 'The :attribute field is required when none of :values are present.',
'same' => 'The :attribute and :other must match.',
'size' =>
array (
'array' => 'The :attribute must contain :size items.',
'file' => 'The :attribute must be :size kilobytes.',
'numeric' => 'The :attribute must be :size.',
'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 (
return [
'failed' => 'Estas credenciales no coinciden con nuestros registros.', 'failed' => 'Estas credenciales no coinciden con nuestros registros.',
'password' => 'La contraseña es incorrecta.', 'password' => 'La contraseña es incorrecta.',
'throttle' => 'Demasiados intentos de acceso. Por favor intente nuevamente en :seconds segundos.', '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 [
'0' => 'Unknown Error',
'100' => 'Continue',
'101' => 'Switching Protocols',
'102' => 'Processing',
'200' => 'OK',
'201' => 'Created',
'202' => 'Accepted',
'203' => 'Non-Authoritative Information',
'204' => 'No Content',
'205' => 'Reset Content',
'206' => 'Partial Content',
'207' => 'Multi-Status',
'208' => 'Already Reported',
'226' => 'IM Used',
'300' => 'Multiple Choices',
'301' => 'Moved Permanently',
'302' => 'Found',
'303' => 'See Other',
'304' => 'Not Modified',
'305' => 'Use Proxy',
'307' => 'Temporary Redirect',
'308' => 'Permanent Redirect',
'400' => 'Bad Request',
'401' => 'Unauthorized',
'402' => 'Payment Required',
'403' => 'Forbidden',
'404' => 'Not Found',
'405' => 'Method Not Allowed',
'406' => 'Not Acceptable',
'407' => 'Proxy Authentication Required',
'408' => 'Request Timeout',
'409' => 'Conflict',
'410' => 'Gone',
'411' => 'Length Required',
'412' => 'Precondition Failed',
'413' => 'Payload Too Large',
'414' => 'URI Too Long',
'415' => 'Unsupported Media Type',
'416' => 'Range Not Satisfiable',
'417' => 'Expectation Failed',
'418' => 'I\'m a teapot',
'419' => 'Session Has Expired',
'421' => 'Misdirected Request',
'422' => 'Unprocessable Entity',
'423' => 'Locked',
'424' => 'Failed Dependency',
'425' => 'Too Early',
'426' => 'Upgrade Required',
'428' => 'Precondition Required',
'429' => 'Too Many Requests',
'431' => 'Request Header Fields Too Large',
'444' => 'Connection Closed Without Response',
'449' => 'Retry With',
'451' => 'Unavailable For Legal Reasons',
'499' => 'Client Closed Request',
'500' => 'Internal Server Error',
'501' => 'Not Implemented',
'502' => 'Bad Gateway',
'503' => 'Maintenance Mode',
'504' => 'Gateway Timeout',
'505' => 'HTTP Version Not Supported',
'506' => 'Variant Also Negotiates',
'507' => 'Insufficient Storage',
'508' => 'Loop Detected',
'509' => 'Bandwidth Limit Exceeded',
'510' => 'Not Extended',
'511' => 'Network Authentication Required',
'520' => 'Unknown Error',
'521' => 'Web Server is Down',
'522' => 'Connection Timed Out',
'523' => 'Origin Is Unreachable',
'524' => 'A Timeout Occurred',
'525' => 'SSL Handshake Failed',
'526' => 'Invalid SSL Certificate',
'527' => 'Railgun Error',
'598' => 'Network Read Timeout Error',
'599' => 'Network Connect Timeout Error',
'unknownError' => 'Unknown Error', 'unknownError' => 'Unknown Error',
]; 100 => 'Continue',
101 => 'Switching Protocols',
102 => 'Processing',
200 => 'OK',
201 => 'Created',
202 => 'Accepted',
203 => 'Non-Authoritative Information',
204 => 'No Content',
205 => 'Reset Content',
206 => 'Partial Content',
207 => 'Multi-Status',
208 => 'Already Reported',
226 => 'IM Used',
300 => 'Multiple Choices',
301 => 'Moved Permanently',
302 => 'Found',
303 => 'See Other',
304 => 'Not Modified',
305 => 'Use Proxy',
307 => 'Temporary Redirect',
308 => 'Permanent Redirect',
400 => 'Bad Request',
401 => 'Unauthorized',
402 => 'Payment Required',
403 => 'Forbidden',
404 => 'Not Found',
405 => 'Method Not Allowed',
406 => 'Not Acceptable',
407 => 'Proxy Authentication Required',
408 => 'Request Timeout',
409 => 'Conflict',
410 => 'Gone',
411 => 'Length Required',
412 => 'Precondition Failed',
413 => 'Payload Too Large',
414 => 'URI Too Long',
415 => 'Unsupported Media Type',
416 => 'Range Not Satisfiable',
417 => 'Expectation Failed',
418 => 'I\'m a teapot',
419 => 'Session Has Expired',
421 => 'Misdirected Request',
422 => 'Unprocessable Entity',
423 => 'Locked',
424 => 'Failed Dependency',
425 => 'Too Early',
426 => 'Upgrade Required',
428 => 'Precondition Required',
429 => 'Too Many Requests',
431 => 'Request Header Fields Too Large',
444 => 'Connection Closed Without Response',
449 => 'Retry With',
451 => 'Unavailable For Legal Reasons',
499 => 'Client Closed Request',
500 => 'Internal Server Error',
501 => 'Not Implemented',
502 => 'Bad Gateway',
503 => 'Maintenance Mode',
504 => 'Gateway Timeout',
505 => 'HTTP Version Not Supported',
506 => 'Variant Also Negotiates',
507 => 'Insufficient Storage',
508 => 'Loop Detected',
509 => 'Bandwidth Limit Exceeded',
510 => 'Not Extended',
511 => 'Network Authentication Required',
520 => 'Unknown Error',
521 => 'Web Server is Down',
522 => 'Connection Timed Out',
523 => 'Origin Is Unreachable',
524 => 'A Timeout Occurred',
525 => 'SSL Handshake Failed',
526 => 'Invalid SSL Certificate',
527 => 'Railgun Error',
598 => 'Network Read Timeout Error',
599 => 'Network Connect Timeout Error',
);

View File

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

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
return [
'reset' => '¡Su contraseña ha sido restablecida!', 'reset' => '¡Su contraseña ha sido restablecida!',
'sent' => '¡Le hemos enviado por correo electrónico el enlace para restablecer su contraseña!', 'sent' => '¡Le hemos enviado por correo electrónico el enlace para restablecer su contraseña!',
'throttled' => 'Por favor espere antes de intentar de nuevo.', 'throttled' => 'Por favor espere antes de intentar de nuevo.',
'token' => 'El token de restablecimiento de contraseña es inválido.', 'token' => 'El token de restablecimiento de contraseña es inválido.',
'user' => 'No encontramos ningún usuario con ese correo electrónico.', '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,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
return [
'accepted' => ':Attribute debe ser aceptado.', 'accepted' => ':Attribute debe ser aceptado.',
'accepted_if' => ':Attribute debe ser aceptado cuando :other sea :value.', 'accepted_if' => ':Attribute debe ser aceptado cuando :other sea :value.',
'active_url' => ':Attribute no es una URL válida.', 'active_url' => ':Attribute no es una URL válida.',
@@ -13,128 +11,8 @@ return [
'alpha_num' => ':Attribute sólo debe contener letras y números.', 'alpha_num' => ':Attribute sólo debe contener letras y números.',
'array' => ':Attribute debe ser un conjunto.', 'array' => ':Attribute debe ser un conjunto.',
'attached' => 'Este :attribute ya se adjuntó.', 'attached' => 'Este :attribute ya se adjuntó.',
'before' => ':Attribute debe ser una fecha anterior a :date.', 'attributes' =>
'before_or_equal' => ':Attribute debe ser una fecha anterior o igual a :date.', array (
'between' => [
'array' => ':Attribute tiene que tener entre :min - :max elementos.',
'file' => ':Attribute debe pesar entre :min - :max kilobytes.',
'numeric' => ':Attribute tiene que estar entre :min - :max.',
'string' => ':Attribute tiene que tener entre :min - :max caracteres.',
],
'boolean' => 'El campo :attribute debe tener un valor verdadero o falso.',
'confirmed' => 'La confirmación de :attribute no coincide.',
'current_password' => 'La contraseña es incorrecta.',
'date' => ':Attribute no es una fecha válida.',
'date_equals' => ':Attribute debe ser una fecha igual a :date.',
'date_format' => ':Attribute no corresponde al formato :format.',
'declined' => ':Attribute debe ser rechazado.',
'declined_if' => ':Attribute debe ser rechazado cuando :other sea :value.',
'different' => ':Attribute y :other deben ser diferentes.',
'digits' => ':Attribute debe tener :digits dígitos.',
'digits_between' => ':Attribute debe tener entre :min y :max dígitos.',
'dimensions' => 'Las dimensiones de la imagen :attribute no son válidas.',
'distinct' => 'El campo :attribute contiene un valor duplicado.',
'doesnt_end_with' => 'El campo :attribute no puede finalizar con uno de los siguientes: :values.',
'doesnt_start_with' => 'El campo :attribute no puede comenzar con uno de los siguientes: :values.',
'email' => ':Attribute no es un correo válido.',
'ends_with' => 'El campo :attribute debe finalizar con uno de los siguientes valores: :values',
'enum' => 'El :attribute seleccionado es inválido.',
'exists' => 'El :attribute seleccionado es inválido.',
'file' => 'El campo :attribute debe ser un archivo.',
'filled' => 'El campo :attribute es obligatorio.',
'gt' => [
'array' => 'El campo :attribute debe tener más de :value elementos.',
'file' => 'El campo :attribute debe tener más de :value kilobytes.',
'numeric' => 'El campo :attribute debe ser mayor que :value.',
'string' => 'El campo :attribute debe tener más de :value caracteres.',
],
'gte' => [
'array' => 'El campo :attribute debe tener como mínimo :value elementos.',
'file' => 'El campo :attribute debe tener como mínimo :value kilobytes.',
'numeric' => 'El campo :attribute debe ser como mínimo :value.',
'string' => 'El campo :attribute debe tener como mínimo :value caracteres.',
],
'image' => ':Attribute debe ser una imagen.',
'in' => ':Attribute es inválido.',
'in_array' => 'El campo :attribute no existe en :other.',
'integer' => ':Attribute debe ser un número entero.',
'ip' => ':Attribute debe ser una dirección IP válida.',
'ipv4' => ':Attribute debe ser una dirección IPv4 válida.',
'ipv6' => ':Attribute debe ser una dirección IPv6 válida.',
'json' => 'El campo :attribute debe ser una cadena JSON válida.',
'lowercase' => 'El campo :attribute debe estar en minúscula.',
'lt' => [
'array' => 'El campo :attribute debe tener menos de :value elementos.',
'file' => 'El campo :attribute debe tener menos de :value kilobytes.',
'numeric' => 'El campo :attribute debe ser menor que :value.',
'string' => 'El campo :attribute debe tener menos de :value caracteres.',
],
'lte' => [
'array' => 'El campo :attribute debe tener como máximo :value elementos.',
'file' => 'El campo :attribute debe tener como máximo :value kilobytes.',
'numeric' => 'El campo :attribute debe ser como máximo :value.',
'string' => 'El campo :attribute debe tener como máximo :value caracteres.',
],
'mac_address' => 'El campo :attribute debe ser una dirección MAC válida.',
'max' => [
'array' => ':Attribute no debe tener más de :max elementos.',
'file' => ':Attribute no debe ser mayor que :max kilobytes.',
'numeric' => ':Attribute no debe ser mayor que :max.',
'string' => ':Attribute no debe ser mayor que :max caracteres.',
],
'max_digits' => 'El campo :attribute no debe tener más de :max dígitos.',
'mimes' => ':Attribute debe ser un archivo con formato: :values.',
'mimetypes' => ':Attribute debe ser un archivo con formato: :values.',
'min' => [
'array' => ':Attribute debe tener al menos :min elementos.',
'file' => 'El tamaño de :attribute debe ser de al menos :min kilobytes.',
'numeric' => 'El tamaño de :attribute debe ser de al menos :min.',
'string' => ':Attribute debe contener al menos :min caracteres.',
],
'min_digits' => 'El campo :attribute debe tener al menos :min dígitos.',
'multiple_of' => 'El campo :attribute debe ser múltiplo de :value',
'not_in' => ':Attribute es inválido.',
'not_regex' => 'El formato del campo :attribute no es válido.',
'numeric' => ':Attribute debe ser numérico.',
'password' => [
'letters' => 'La :attribute debe contener al menos una letra.',
'mixed' => 'La :attribute debe contener al menos una letra mayúscula y una minúscula.',
'numbers' => 'La :attribute debe contener al menos un número.',
'symbols' => 'La :attribute debe contener al menos un símbolo.',
'uncompromised' => 'La :attribute proporcionada se ha visto comprometida en una filtración de datos (data leak). Elija una :attribute diferente.',
],
'present' => 'El campo :attribute debe estar presente.',
'prohibited' => 'El campo :attribute está prohibido.',
'prohibited_if' => 'El campo :attribute está prohibido cuando :other es :value.',
'prohibited_unless' => 'El campo :attribute está prohibido a menos que :other sea :values.',
'prohibits' => 'El campo :attribute prohibe que :other esté presente.',
'regex' => 'El formato de :attribute es inválido.',
'relatable' => 'Este :attribute no se puede asociar con este recurso',
'required' => 'El campo :attribute es obligatorio.',
'required_array_keys' => 'El campo :attribute debe contener entradas para: :values.',
'required_if' => 'El campo :attribute es obligatorio cuando :other es :value.',
'required_if_accepted' => 'El campo :attribute es obligatorio si :other es aceptado.',
'required_unless' => 'El campo :attribute es obligatorio a menos que :other esté en :values.',
'required_with' => 'El campo :attribute es obligatorio cuando :values está presente.',
'required_with_all' => 'El campo :attribute es obligatorio cuando :values están presentes.',
'required_without' => 'El campo :attribute es obligatorio cuando :values no está presente.',
'required_without_all' => 'El campo :attribute es obligatorio cuando ninguno de :values está presente.',
'same' => ':Attribute y :other deben coincidir.',
'size' => [
'array' => ':Attribute debe contener :size elementos.',
'file' => 'El tamaño de :attribute debe ser :size kilobytes.',
'numeric' => 'El tamaño de :attribute debe ser :size.',
'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.',
'attributes' => [
'address' => 'dirección', 'address' => 'dirección',
'age' => 'edad', 'age' => 'edad',
'amount' => 'cantidad', 'amount' => 'cantidad',
@@ -206,5 +84,135 @@ return [
'updated_at' => 'actualizado el', 'updated_at' => 'actualizado el',
'username' => 'usuario', 'username' => 'usuario',
'year' => 'año', 'year' => 'año',
], ),
]; 'before' => ':Attribute debe ser una fecha anterior a :date.',
'before_or_equal' => ':Attribute debe ser una fecha anterior o igual a :date.',
'between' =>
array (
'array' => ':Attribute tiene que tener entre :min - :max elementos.',
'file' => ':Attribute debe pesar entre :min - :max kilobytes.',
'numeric' => ':Attribute tiene que estar entre :min - :max.',
'string' => ':Attribute tiene que tener entre :min - :max caracteres.',
),
'boolean' => 'El campo :attribute debe tener un valor verdadero o falso.',
'confirmed' => 'La confirmación de :attribute no coincide.',
'current_password' => 'La contraseña es incorrecta.',
'date' => ':Attribute no es una fecha válida.',
'date_equals' => ':Attribute debe ser una fecha igual a :date.',
'date_format' => ':Attribute no corresponde al formato :format.',
'declined' => ':Attribute debe ser rechazado.',
'declined_if' => ':Attribute debe ser rechazado cuando :other sea :value.',
'different' => ':Attribute y :other deben ser diferentes.',
'digits' => ':Attribute debe tener :digits dígitos.',
'digits_between' => ':Attribute debe tener entre :min y :max dígitos.',
'dimensions' => 'Las dimensiones de la imagen :attribute no son válidas.',
'distinct' => 'El campo :attribute contiene un valor duplicado.',
'doesnt_end_with' => 'El campo :attribute no puede finalizar con uno de los siguientes: :values.',
'doesnt_start_with' => 'El campo :attribute no puede comenzar con uno de los siguientes: :values.',
'email' => ':Attribute no es un correo válido.',
'ends_with' => 'El campo :attribute debe finalizar con uno de los siguientes valores: :values',
'enum' => 'El :attribute seleccionado es inválido.',
'exists' => 'El :attribute seleccionado es inválido.',
'file' => 'El campo :attribute debe ser un archivo.',
'filled' => 'El campo :attribute es obligatorio.',
'gt' =>
array (
'array' => 'El campo :attribute debe tener más de :value elementos.',
'file' => 'El campo :attribute debe tener más de :value kilobytes.',
'numeric' => 'El campo :attribute debe ser mayor que :value.',
'string' => 'El campo :attribute debe tener más de :value caracteres.',
),
'gte' =>
array (
'array' => 'El campo :attribute debe tener como mínimo :value elementos.',
'file' => 'El campo :attribute debe tener como mínimo :value kilobytes.',
'numeric' => 'El campo :attribute debe ser como mínimo :value.',
'string' => 'El campo :attribute debe tener como mínimo :value caracteres.',
),
'image' => ':Attribute debe ser una imagen.',
'in' => ':Attribute es inválido.',
'in_array' => 'El campo :attribute no existe en :other.',
'integer' => ':Attribute debe ser un número entero.',
'ip' => ':Attribute debe ser una dirección IP válida.',
'ipv4' => ':Attribute debe ser una dirección IPv4 válida.',
'ipv6' => ':Attribute debe ser una dirección IPv6 válida.',
'json' => 'El campo :attribute debe ser una cadena JSON válida.',
'lowercase' => 'El campo :attribute debe estar en minúscula.',
'lt' =>
array (
'array' => 'El campo :attribute debe tener menos de :value elementos.',
'file' => 'El campo :attribute debe tener menos de :value kilobytes.',
'numeric' => 'El campo :attribute debe ser menor que :value.',
'string' => 'El campo :attribute debe tener menos de :value caracteres.',
),
'lte' =>
array (
'array' => 'El campo :attribute debe tener como máximo :value elementos.',
'file' => 'El campo :attribute debe tener como máximo :value kilobytes.',
'numeric' => 'El campo :attribute debe ser como máximo :value.',
'string' => 'El campo :attribute debe tener como máximo :value caracteres.',
),
'mac_address' => 'El campo :attribute debe ser una dirección MAC válida.',
'max' =>
array (
'array' => ':Attribute no debe tener más de :max elementos.',
'file' => ':Attribute no debe ser mayor que :max kilobytes.',
'numeric' => ':Attribute no debe ser mayor que :max.',
'string' => ':Attribute no debe ser mayor que :max caracteres.',
),
'max_digits' => 'El campo :attribute no debe tener más de :max dígitos.',
'mimes' => ':Attribute debe ser un archivo con formato: :values.',
'mimetypes' => ':Attribute debe ser un archivo con formato: :values.',
'min' =>
array (
'array' => ':Attribute debe tener al menos :min elementos.',
'file' => 'El tamaño de :attribute debe ser de al menos :min kilobytes.',
'numeric' => 'El tamaño de :attribute debe ser de al menos :min.',
'string' => ':Attribute debe contener al menos :min caracteres.',
),
'min_digits' => 'El campo :attribute debe tener al menos :min dígitos.',
'multiple_of' => 'El campo :attribute debe ser múltiplo de :value',
'not_in' => ':Attribute es inválido.',
'not_regex' => 'El formato del campo :attribute no es válido.',
'numeric' => ':Attribute debe ser numérico.',
'password' =>
array (
'letters' => 'La :attribute debe contener al menos una letra.',
'mixed' => 'La :attribute debe contener al menos una letra mayúscula y una minúscula.',
'numbers' => 'La :attribute debe contener al menos un número.',
'symbols' => 'La :attribute debe contener al menos un símbolo.',
'uncompromised' => 'La :attribute proporcionada se ha visto comprometida en una filtración de datos (data leak). Elija una :attribute diferente.',
),
'present' => 'El campo :attribute debe estar presente.',
'prohibited' => 'El campo :attribute está prohibido.',
'prohibited_if' => 'El campo :attribute está prohibido cuando :other es :value.',
'prohibited_unless' => 'El campo :attribute está prohibido a menos que :other sea :values.',
'prohibits' => 'El campo :attribute prohibe que :other esté presente.',
'regex' => 'El formato de :attribute es inválido.',
'relatable' => 'Este :attribute no se puede asociar con este recurso',
'required' => 'El campo :attribute es obligatorio.',
'required_array_keys' => 'El campo :attribute debe contener entradas para: :values.',
'required_if' => 'El campo :attribute es obligatorio cuando :other es :value.',
'required_if_accepted' => 'El campo :attribute es obligatorio si :other es aceptado.',
'required_unless' => 'El campo :attribute es obligatorio a menos que :other esté en :values.',
'required_with' => 'El campo :attribute es obligatorio cuando :values está presente.',
'required_with_all' => 'El campo :attribute es obligatorio cuando :values están presentes.',
'required_without' => 'El campo :attribute es obligatorio cuando :values no está presente.',
'required_without_all' => 'El campo :attribute es obligatorio cuando ninguno de :values está presente.',
'same' => ':Attribute y :other deben coincidir.',
'size' =>
array (
'array' => ':Attribute debe contener :size elementos.',
'file' => 'El tamaño de :attribute debe ser :size kilobytes.',
'numeric' => 'El tamaño de :attribute debe ser :size.',
'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 (
return [
'failed' => 'Ces identifiants ne correspondent pas à nos enregistrements.', 'failed' => 'Ces identifiants ne correspondent pas à nos enregistrements.',
'password' => 'Le mot de passe est incorrect', 'password' => 'Le mot de passe est incorrect',
'throttle' => 'Tentatives de connexion trop nombreuses. Veuillez essayer de nouveau dans :seconds secondes.', '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 [
'0' => 'Erreur inconnue',
'100' => 'Continuer',
'101' => 'Protocoles de commutation',
'102' => 'En traitement',
'200' => 'D\'accord',
'201' => 'Créé',
'202' => 'Accepté',
'203' => 'Informations non autorisées',
'204' => 'Pas content',
'205' => 'Réinitialiser le contenu',
'206' => 'Contenu partiel',
'207' => 'Multi-statut',
'208' => 'Déjà rapporté',
'226' => 'J\'ai l\'habitude',
'300' => 'Choix multiples',
'301' => 'Déplacé de façon permanente',
'302' => 'A trouvé',
'303' => 'Voir autre',
'304' => 'Non modifié',
'305' => 'Utiliser un proxy',
'307' => 'Redirection temporaire',
'308' => 'Redirection permanente',
'400' => 'Mauvaise Demande',
'401' => 'Non autorisé',
'402' => 'Paiement Requis',
'403' => 'Interdit',
'404' => 'Page non trouvée',
'405' => 'Méthode Non Autorisée',
'406' => 'Pas acceptable',
'407' => 'Authentification proxy requise',
'408' => 'Délai d\'expiration de la demande',
'409' => 'Conflit',
'410' => 'Disparu',
'411' => 'Longueur requise',
'412' => 'La précondition a échoué',
'413' => 'Charge utile trop grande',
'414' => 'URI trop long',
'415' => 'Type de support non supporté',
'416' => 'Plage non satisfaisante',
'417' => 'Échec de l\'attente',
'418' => 'Je suis une théière',
'419' => 'La session a expiré',
'421' => 'Demande mal dirigée',
'422' => 'Entité non traitable',
'423' => 'Fermé à clef',
'424' => 'Dépendance échouée',
'425' => 'Too Early',
'426' => 'Mise à niveau requise',
'428' => 'Condition préalable requise',
'429' => 'Trop de demandes',
'431' => 'Demander des champs d\'en-tête trop grands',
'444' => 'Connection Closed Without Response',
'449' => 'Réessayer avec',
'451' => 'Indisponible pour des raisons légales',
'499' => 'Client Closed Request',
'500' => 'Erreur Interne du Serveur',
'501' => 'Pas mis en œuvre',
'502' => 'Mauvaise passerelle',
'503' => 'Mode de Maintenance',
'504' => 'Délai d\'attente de la passerelle',
'505' => 'Version HTTP non prise en charge',
'506' => 'La variante négocie également',
'507' => 'Espace insuffisant',
'508' => 'Boucle détectée',
'509' => 'Limite de bande passante dépassée',
'510' => 'Non prolongé',
'511' => 'Authentification réseau requise',
'520' => 'Erreur inconnue',
'521' => 'Le serveur Web est en panne',
'522' => 'La connexion a expiré',
'523' => 'L\'origine est inaccessible',
'524' => 'Un dépassement de délai s\'est produit',
'525' => 'Échec de la prise de contact SSL',
'526' => 'Certificat SSL invalide',
'527' => 'Railgun Error',
'598' => 'Network Read Timeout Error',
'599' => 'Network Connect Timeout Error',
'unknownError' => 'Erreur inconnue', 'unknownError' => 'Erreur inconnue',
]; 100 => 'Continuer',
101 => 'Protocoles de commutation',
102 => 'En traitement',
200 => 'D\'accord',
201 => 'Créé',
202 => 'Accepté',
203 => 'Informations non autorisées',
204 => 'Pas content',
205 => 'Réinitialiser le contenu',
206 => 'Contenu partiel',
207 => 'Multi-statut',
208 => 'Déjà rapporté',
226 => 'J\'ai l\'habitude',
300 => 'Choix multiples',
301 => 'Déplacé de façon permanente',
302 => 'A trouvé',
303 => 'Voir autre',
304 => 'Non modifié',
305 => 'Utiliser un proxy',
307 => 'Redirection temporaire',
308 => 'Redirection permanente',
400 => 'Mauvaise Demande',
401 => 'Non autorisé',
402 => 'Paiement Requis',
403 => 'Interdit',
404 => 'Page non trouvée',
405 => 'Méthode Non Autorisée',
406 => 'Pas acceptable',
407 => 'Authentification proxy requise',
408 => 'Délai d\'expiration de la demande',
409 => 'Conflit',
410 => 'Disparu',
411 => 'Longueur requise',
412 => 'La précondition a échoué',
413 => 'Charge utile trop grande',
414 => 'URI trop long',
415 => 'Type de support non supporté',
416 => 'Plage non satisfaisante',
417 => 'Échec de l\'attente',
418 => 'Je suis une théière',
419 => 'La session a expiré',
421 => 'Demande mal dirigée',
422 => 'Entité non traitable',
423 => 'Fermé à clef',
424 => 'Dépendance échouée',
425 => 'Too Early',
426 => 'Mise à niveau requise',
428 => 'Condition préalable requise',
429 => 'Trop de demandes',
431 => 'Demander des champs d\'en-tête trop grands',
444 => 'Connection Closed Without Response',
449 => 'Réessayer avec',
451 => 'Indisponible pour des raisons légales',
499 => 'Client Closed Request',
500 => 'Erreur Interne du Serveur',
501 => 'Pas mis en œuvre',
502 => 'Mauvaise passerelle',
503 => 'Mode de Maintenance',
504 => 'Délai d\'attente de la passerelle',
505 => 'Version HTTP non prise en charge',
506 => 'La variante négocie également',
507 => 'Espace insuffisant',
508 => 'Boucle détectée',
509 => 'Limite de bande passante dépassée',
510 => 'Non prolongé',
511 => 'Authentification réseau requise',
520 => 'Erreur inconnue',
521 => 'Le serveur Web est en panne',
522 => 'La connexion a expiré',
523 => 'L\'origine est inaccessible',
524 => 'Un dépassement de délai s\'est produit',
525 => 'Échec de la prise de contact SSL',
526 => 'Certificat SSL invalide',
527 => 'Railgun Error',
598 => 'Network Read Timeout Error',
599 => 'Network Connect Timeout Error',
);

View File

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

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
return [
'reset' => 'Votre mot de passe a été réinitialisé !', 'reset' => 'Votre mot de passe a été réinitialisé !',
'sent' => 'Nous vous avons envoyé par email le lien de réinitialisation du mot de passe !', 'sent' => 'Nous vous avons envoyé par email le lien de réinitialisation du mot de passe !',
'throttled' => 'Veuillez patienter avant de réessayer.', 'throttled' => 'Veuillez patienter avant de réessayer.',
'token' => 'Ce jeton de réinitialisation du mot de passe n\'est pas valide.', '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.', '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,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
return [
'accepted' => 'Le champ :attribute doit être accepté.', 'accepted' => 'Le champ :attribute doit être accepté.',
'accepted_if' => 'Le champ :attribute doit être accepté quand :other a la valeur :value.', 'accepted_if' => 'Le champ :attribute doit être accepté quand :other a la valeur :value.',
'active_url' => 'Le champ :attribute n\'est pas une URL valide.', 'active_url' => 'Le champ :attribute n\'est pas une URL valide.',
@@ -13,128 +11,8 @@ return [
'alpha_num' => 'Le champ :attribute doit contenir uniquement des chiffres et des lettres.', 'alpha_num' => 'Le champ :attribute doit contenir uniquement des chiffres et des lettres.',
'array' => 'Le champ :attribute doit être un tableau.', 'array' => 'Le champ :attribute doit être un tableau.',
'attached' => ':Attribute est déjà attaché(e).', 'attached' => ':Attribute est déjà attaché(e).',
'before' => 'Le champ :attribute doit être une date antérieure au :date.', 'attributes' =>
'before_or_equal' => 'Le champ :attribute doit être une date antérieure ou égale au :date.', array (
'between' => [
'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.',
'numeric' => 'La valeur de :attribute doit être comprise entre :min et :max.',
'string' => 'Le texte :attribute doit contenir entre :min et :max caractères.',
],
'boolean' => 'Le champ :attribute doit être vrai ou faux.',
'confirmed' => 'Le champ de confirmation :attribute ne correspond pas.',
'current_password' => 'Le mot de passe est incorrect.',
'date' => 'Le champ :attribute n\'est pas une date valide.',
'date_equals' => 'Le champ :attribute doit être une date égale à :date.',
'date_format' => 'Le champ :attribute ne correspond pas au format :format.',
'declined' => 'Le champ :attribute doit être décliné.',
'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.',
'digits' => 'Le champ :attribute doit contenir :digits chiffres.',
'digits_between' => 'Le champ :attribute doit contenir entre :min et :max chiffres.',
'dimensions' => 'La taille de l\'image :attribute n\'est pas conforme.',
'distinct' => 'Le champ :attribute a une valeur en double.',
'doesnt_end_with' => 'Le champ :attribute ne doit pas finir avec une des valeurs suivantes : :values.',
'doesnt_start_with' => 'Le champ :attribute ne doit pas commencer avec une des valeurs suivantes : :values.',
'email' => 'Le champ :attribute doit être une adresse e-mail valide.',
'ends_with' => 'Le champ :attribute doit se terminer par une des valeurs suivantes : :values',
'enum' => 'Le champ :attribute sélectionné est invalide.',
'exists' => 'Le champ :attribute sélectionné est invalide.',
'file' => 'Le champ :attribute doit être un fichier.',
'filled' => 'Le champ :attribute doit avoir une valeur.',
'gt' => [
'array' => 'Le tableau :attribute doit contenir plus de :value éléments.',
'file' => 'La taille du fichier de :attribute doit être supérieure à :value kilo-octets.',
'numeric' => 'La valeur de :attribute doit être supérieure à :value.',
'string' => 'Le texte :attribute doit contenir plus de :value caractères.',
],
'gte' => [
'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.',
'numeric' => 'La valeur de :attribute doit être supérieure ou égale à :value.',
'string' => 'Le texte :attribute doit contenir au moins :value caractères.',
],
'image' => 'Le champ :attribute doit être une image.',
'in' => 'Le champ :attribute est invalide.',
'in_array' => 'Le champ :attribute n\'existe pas dans :other.',
'integer' => 'Le champ :attribute doit être un entier.',
'ip' => 'Le champ :attribute doit être une adresse IP valide.',
'ipv4' => 'Le champ :attribute doit être une adresse IPv4 valide.',
'ipv6' => 'Le champ :attribute doit être une adresse IPv6 valide.',
'json' => 'Le champ :attribute doit être un document JSON valide.',
'lowercase' => 'The :attribute must be lowercase.',
'lt' => [
'array' => 'Le tableau :attribute doit contenir moins de :value éléments.',
'file' => 'La taille du fichier de :attribute doit être inférieure à :value kilo-octets.',
'numeric' => 'La valeur de :attribute doit être inférieure à :value.',
'string' => 'Le texte :attribute doit contenir moins de :value caractères.',
],
'lte' => [
'array' => 'Le tableau :attribute doit contenir au plus :value éléments.',
'file' => 'La taille du fichier de :attribute doit être inférieure ou égale à :value kilo-octets.',
'numeric' => 'La valeur de :attribute doit être inférieure ou égale à :value.',
'string' => 'Le texte :attribute doit contenir au plus :value caractères.',
],
'mac_address' => 'Le champ :attribute doit être une adresse MAC valide.',
'max' => [
'array' => 'Le tableau :attribute ne peut pas contenir plus que :max éléments.',
'file' => 'La taille du fichier de :attribute ne peut pas dépasser :max kilo-octets.',
'numeric' => 'La valeur de :attribute ne peut pas être supérieure à :max.',
'string' => 'Le texte de :attribute ne peut pas contenir plus de :max caractères.',
],
'max_digits' => 'Le champ :attribute ne doit pas avoir plus de :max chiffres.',
'mimes' => 'Le champ :attribute doit être un fichier de type : :values.',
'mimetypes' => 'Le champ :attribute doit être un fichier de type : :values.',
'min' => [
'array' => 'Le tableau :attribute doit contenir au moins :min éléments.',
'file' => 'La taille du fichier de :attribute doit être supérieure ou égale à :min kilo-octets.',
'numeric' => 'La valeur de :attribute doit être supérieure ou égale à :min.',
'string' => 'Le texte de :attribute doit contenir au moins :min caractères.',
],
'min_digits' => 'Le champ :attribute doit avoir au moins :min chiffres.',
'multiple_of' => 'La valeur de :attribute doit être un multiple de :value',
'not_in' => 'Le champ :attribute sélectionné n\'est pas valide.',
'not_regex' => 'Le format du champ :attribute n\'est pas valide.',
'numeric' => 'Le champ :attribute doit contenir un nombre.',
'password' => [
'letters' => 'Le champ :attribute doit contenir au moins une lettre.',
'mixed' => 'Le champ :attribute doit contenir au moins une majuscule et une minuscule.',
'numbers' => 'Le champ :attribute doit contenir au moins un chiffre.',
'symbols' => 'Le champ :attribute doit contenir au moins un symbole.',
'uncompromised' => 'La valeur du champ :attribute est apparue dans une fuite de données. Veuillez choisir une valeur différente.',
],
'present' => 'Le champ :attribute doit être présent.',
'prohibited' => 'Le champ :attribute est interdit.',
'prohibited_if' => 'Le champ :attribute est interdit quand :other a la valeur :value.',
'prohibited_unless' => 'Le champ :attribute est interdit à moins que :other est l\'une des valeurs :values.',
'prohibits' => 'Le champ :attribute interdit :other d\'être présent.',
'regex' => 'Le format du champ :attribute est invalide.',
'relatable' => ':Attribute n\'est sans doute pas associé(e) avec cette donnée.',
'required' => 'Le champ :attribute est obligatoire.',
'required_array_keys' => 'Le champ :attribute doit contenir des entrées pour : :values.',
'required_if' => 'Le champ :attribute est obligatoire quand la valeur de :other est :value.',
'required_if_accepted' => 'Le champ :attribute est obligatoire quand le champ :other a été accepté.',
'required_unless' => 'Le champ :attribute est obligatoire sauf si :other est :values.',
'required_with' => 'Le champ :attribute est obligatoire quand :values est présent.',
'required_with_all' => 'Le champ :attribute est obligatoire quand :values sont présents.',
'required_without' => 'Le champ :attribute est obligatoire quand :values n\'est pas présent.',
'required_without_all' => 'Le champ :attribute est requis quand aucun de :values n\'est présent.',
'same' => 'Les champs :attribute et :other doivent être identiques.',
'size' => [
'array' => 'Le tableau :attribute doit contenir :size éléments.',
'file' => 'La taille du fichier de :attribute doit être de :size kilo-octets.',
'numeric' => 'La valeur de :attribute doit être :size.',
'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',
'attributes' => [
'address' => 'adresse', 'address' => 'adresse',
'age' => 'âge', 'age' => 'âge',
'amount' => 'montant', 'amount' => 'montant',
@@ -206,5 +84,135 @@ return [
'updated_at' => 'mis à jour à', 'updated_at' => 'mis à jour à',
'username' => 'nom d\'utilisateur', 'username' => 'nom d\'utilisateur',
'year' => 'année', 'year' => 'année',
], ),
]; 'before' => 'Le champ :attribute doit être une date antérieure au :date.',
'before_or_equal' => 'Le champ :attribute doit être une date antérieure ou égale au :date.',
'between' =>
array (
'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.',
'numeric' => 'La valeur de :attribute doit être comprise entre :min et :max.',
'string' => 'Le texte :attribute doit contenir entre :min et :max caractères.',
),
'boolean' => 'Le champ :attribute doit être vrai ou faux.',
'confirmed' => 'Le champ de confirmation :attribute ne correspond pas.',
'current_password' => 'Le mot de passe est incorrect.',
'date' => 'Le champ :attribute n\'est pas une date valide.',
'date_equals' => 'Le champ :attribute doit être une date égale à :date.',
'date_format' => 'Le champ :attribute ne correspond pas au format :format.',
'declined' => 'Le champ :attribute doit être décliné.',
'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.',
'digits' => 'Le champ :attribute doit contenir :digits chiffres.',
'digits_between' => 'Le champ :attribute doit contenir entre :min et :max chiffres.',
'dimensions' => 'La taille de l\'image :attribute n\'est pas conforme.',
'distinct' => 'Le champ :attribute a une valeur en double.',
'doesnt_end_with' => 'Le champ :attribute ne doit pas finir avec une des valeurs suivantes : :values.',
'doesnt_start_with' => 'Le champ :attribute ne doit pas commencer avec une des valeurs suivantes : :values.',
'email' => 'Le champ :attribute doit être une adresse e-mail valide.',
'ends_with' => 'Le champ :attribute doit se terminer par une des valeurs suivantes : :values',
'enum' => 'Le champ :attribute sélectionné est invalide.',
'exists' => 'Le champ :attribute sélectionné est invalide.',
'file' => 'Le champ :attribute doit être un fichier.',
'filled' => 'Le champ :attribute doit avoir une valeur.',
'gt' =>
array (
'array' => 'Le tableau :attribute doit contenir plus de :value éléments.',
'file' => 'La taille du fichier de :attribute doit être supérieure à :value kilo-octets.',
'numeric' => 'La valeur de :attribute doit être supérieure à :value.',
'string' => 'Le texte :attribute doit contenir plus de :value caractères.',
),
'gte' =>
array (
'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.',
'numeric' => 'La valeur de :attribute doit être supérieure ou égale à :value.',
'string' => 'Le texte :attribute doit contenir au moins :value caractères.',
),
'image' => 'Le champ :attribute doit être une image.',
'in' => 'Le champ :attribute est invalide.',
'in_array' => 'Le champ :attribute n\'existe pas dans :other.',
'integer' => 'Le champ :attribute doit être un entier.',
'ip' => 'Le champ :attribute doit être une adresse IP valide.',
'ipv4' => 'Le champ :attribute doit être une adresse IPv4 valide.',
'ipv6' => 'Le champ :attribute doit être une adresse IPv6 valide.',
'json' => 'Le champ :attribute doit être un document JSON valide.',
'lowercase' => 'The :attribute must be lowercase.',
'lt' =>
array (
'array' => 'Le tableau :attribute doit contenir moins de :value éléments.',
'file' => 'La taille du fichier de :attribute doit être inférieure à :value kilo-octets.',
'numeric' => 'La valeur de :attribute doit être inférieure à :value.',
'string' => 'Le texte :attribute doit contenir moins de :value caractères.',
),
'lte' =>
array (
'array' => 'Le tableau :attribute doit contenir au plus :value éléments.',
'file' => 'La taille du fichier de :attribute doit être inférieure ou égale à :value kilo-octets.',
'numeric' => 'La valeur de :attribute doit être inférieure ou égale à :value.',
'string' => 'Le texte :attribute doit contenir au plus :value caractères.',
),
'mac_address' => 'Le champ :attribute doit être une adresse MAC valide.',
'max' =>
array (
'array' => 'Le tableau :attribute ne peut pas contenir plus que :max éléments.',
'file' => 'La taille du fichier de :attribute ne peut pas dépasser :max kilo-octets.',
'numeric' => 'La valeur de :attribute ne peut pas être supérieure à :max.',
'string' => 'Le texte de :attribute ne peut pas contenir plus de :max caractères.',
),
'max_digits' => 'Le champ :attribute ne doit pas avoir plus de :max chiffres.',
'mimes' => 'Le champ :attribute doit être un fichier de type : :values.',
'mimetypes' => 'Le champ :attribute doit être un fichier de type : :values.',
'min' =>
array (
'array' => 'Le tableau :attribute doit contenir au moins :min éléments.',
'file' => 'La taille du fichier de :attribute doit être supérieure ou égale à :min kilo-octets.',
'numeric' => 'La valeur de :attribute doit être supérieure ou égale à :min.',
'string' => 'Le texte de :attribute doit contenir au moins :min caractères.',
),
'min_digits' => 'Le champ :attribute doit avoir au moins :min chiffres.',
'multiple_of' => 'La valeur de :attribute doit être un multiple de :value',
'not_in' => 'Le champ :attribute sélectionné n\'est pas valide.',
'not_regex' => 'Le format du champ :attribute n\'est pas valide.',
'numeric' => 'Le champ :attribute doit contenir un nombre.',
'password' =>
array (
'letters' => 'Le champ :attribute doit contenir au moins une lettre.',
'mixed' => 'Le champ :attribute doit contenir au moins une majuscule et une minuscule.',
'numbers' => 'Le champ :attribute doit contenir au moins un chiffre.',
'symbols' => 'Le champ :attribute doit contenir au moins un symbole.',
'uncompromised' => 'La valeur du champ :attribute est apparue dans une fuite de données. Veuillez choisir une valeur différente.',
),
'present' => 'Le champ :attribute doit être présent.',
'prohibited' => 'Le champ :attribute est interdit.',
'prohibited_if' => 'Le champ :attribute est interdit quand :other a la valeur :value.',
'prohibited_unless' => 'Le champ :attribute est interdit à moins que :other est l\'une des valeurs :values.',
'prohibits' => 'Le champ :attribute interdit :other d\'être présent.',
'regex' => 'Le format du champ :attribute est invalide.',
'relatable' => ':Attribute n\'est sans doute pas associé(e) avec cette donnée.',
'required' => 'Le champ :attribute est obligatoire.',
'required_array_keys' => 'Le champ :attribute doit contenir des entrées pour : :values.',
'required_if' => 'Le champ :attribute est obligatoire quand la valeur de :other est :value.',
'required_if_accepted' => 'Le champ :attribute est obligatoire quand le champ :other a été accepté.',
'required_unless' => 'Le champ :attribute est obligatoire sauf si :other est :values.',
'required_with' => 'Le champ :attribute est obligatoire quand :values est présent.',
'required_with_all' => 'Le champ :attribute est obligatoire quand :values sont présents.',
'required_without' => 'Le champ :attribute est obligatoire quand :values n\'est pas présent.',
'required_without_all' => 'Le champ :attribute est requis quand aucun de :values n\'est présent.',
'same' => 'Les champs :attribute et :other doivent être identiques.',
'size' =>
array (
'array' => 'Le tableau :attribute doit contenir :size éléments.',
'file' => 'La taille du fichier de :attribute doit être de :size kilo-octets.',
'numeric' => 'La valeur de :attribute doit être :size.',
'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 (
return [
'failed' => 'Ovi podaci ne odgovaraju našima.', 'failed' => 'Ovi podaci ne odgovaraju našima.',
'password' => 'Lozinka je pogrešna.', 'password' => 'Lozinka je pogrešna.',
'throttle' => 'Previše pokušaja prijave. Molim Vas pokušajte ponovno za :seconds sekundi.', '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 [
'0' => 'Unknown Error',
'100' => 'Continue',
'101' => 'Switching Protocols',
'102' => 'Processing',
'200' => 'OK',
'201' => 'Created',
'202' => 'Accepted',
'203' => 'Non-Authoritative Information',
'204' => 'No Content',
'205' => 'Reset Content',
'206' => 'Partial Content',
'207' => 'Multi-Status',
'208' => 'Already Reported',
'226' => 'IM Used',
'300' => 'Multiple Choices',
'301' => 'Moved Permanently',
'302' => 'Found',
'303' => 'See Other',
'304' => 'Not Modified',
'305' => 'Use Proxy',
'307' => 'Temporary Redirect',
'308' => 'Permanent Redirect',
'400' => 'Bad Request',
'401' => 'Unauthorized',
'402' => 'Payment Required',
'403' => 'Forbidden',
'404' => 'Not Found',
'405' => 'Method Not Allowed',
'406' => 'Not Acceptable',
'407' => 'Proxy Authentication Required',
'408' => 'Request Timeout',
'409' => 'Conflict',
'410' => 'Gone',
'411' => 'Length Required',
'412' => 'Precondition Failed',
'413' => 'Payload Too Large',
'414' => 'URI Too Long',
'415' => 'Unsupported Media Type',
'416' => 'Range Not Satisfiable',
'417' => 'Expectation Failed',
'418' => 'I\'m a teapot',
'419' => 'Session Has Expired',
'421' => 'Misdirected Request',
'422' => 'Unprocessable Entity',
'423' => 'Locked',
'424' => 'Failed Dependency',
'425' => 'Too Early',
'426' => 'Upgrade Required',
'428' => 'Precondition Required',
'429' => 'Too Many Requests',
'431' => 'Request Header Fields Too Large',
'444' => 'Connection Closed Without Response',
'449' => 'Retry With',
'451' => 'Unavailable For Legal Reasons',
'499' => 'Client Closed Request',
'500' => 'Internal Server Error',
'501' => 'Not Implemented',
'502' => 'Bad Gateway',
'503' => 'Maintenance Mode',
'504' => 'Gateway Timeout',
'505' => 'HTTP Version Not Supported',
'506' => 'Variant Also Negotiates',
'507' => 'Insufficient Storage',
'508' => 'Loop Detected',
'509' => 'Bandwidth Limit Exceeded',
'510' => 'Not Extended',
'511' => 'Network Authentication Required',
'520' => 'Unknown Error',
'521' => 'Web Server is Down',
'522' => 'Connection Timed Out',
'523' => 'Origin Is Unreachable',
'524' => 'A Timeout Occurred',
'525' => 'SSL Handshake Failed',
'526' => 'Invalid SSL Certificate',
'527' => 'Railgun Error',
'598' => 'Network Read Timeout Error',
'599' => 'Network Connect Timeout Error',
'unknownError' => 'Unknown Error', 'unknownError' => 'Unknown Error',
]; 100 => 'Continue',
101 => 'Switching Protocols',
102 => 'Processing',
200 => 'OK',
201 => 'Created',
202 => 'Accepted',
203 => 'Non-Authoritative Information',
204 => 'No Content',
205 => 'Reset Content',
206 => 'Partial Content',
207 => 'Multi-Status',
208 => 'Already Reported',
226 => 'IM Used',
300 => 'Multiple Choices',
301 => 'Moved Permanently',
302 => 'Found',
303 => 'See Other',
304 => 'Not Modified',
305 => 'Use Proxy',
307 => 'Temporary Redirect',
308 => 'Permanent Redirect',
400 => 'Bad Request',
401 => 'Unauthorized',
402 => 'Payment Required',
403 => 'Forbidden',
404 => 'Not Found',
405 => 'Method Not Allowed',
406 => 'Not Acceptable',
407 => 'Proxy Authentication Required',
408 => 'Request Timeout',
409 => 'Conflict',
410 => 'Gone',
411 => 'Length Required',
412 => 'Precondition Failed',
413 => 'Payload Too Large',
414 => 'URI Too Long',
415 => 'Unsupported Media Type',
416 => 'Range Not Satisfiable',
417 => 'Expectation Failed',
418 => 'I\'m a teapot',
419 => 'Session Has Expired',
421 => 'Misdirected Request',
422 => 'Unprocessable Entity',
423 => 'Locked',
424 => 'Failed Dependency',
425 => 'Too Early',
426 => 'Upgrade Required',
428 => 'Precondition Required',
429 => 'Too Many Requests',
431 => 'Request Header Fields Too Large',
444 => 'Connection Closed Without Response',
449 => 'Retry With',
451 => 'Unavailable For Legal Reasons',
499 => 'Client Closed Request',
500 => 'Internal Server Error',
501 => 'Not Implemented',
502 => 'Bad Gateway',
503 => 'Maintenance Mode',
504 => 'Gateway Timeout',
505 => 'HTTP Version Not Supported',
506 => 'Variant Also Negotiates',
507 => 'Insufficient Storage',
508 => 'Loop Detected',
509 => 'Bandwidth Limit Exceeded',
510 => 'Not Extended',
511 => 'Network Authentication Required',
520 => 'Unknown Error',
521 => 'Web Server is Down',
522 => 'Connection Timed Out',
523 => 'Origin Is Unreachable',
524 => 'A Timeout Occurred',
525 => 'SSL Handshake Failed',
526 => 'Invalid SSL Certificate',
527 => 'Railgun Error',
598 => 'Network Read Timeout Error',
599 => 'Network Connect Timeout Error',
);

View File

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

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
return [
'reset' => 'Lozinka je ponovno postavljena!', 'reset' => 'Lozinka je ponovno postavljena!',
'sent' => 'E-mail sa poveznicom za ponovno postavljanje lozinke je poslan!', 'sent' => 'E-mail sa poveznicom za ponovno postavljanje lozinke je poslan!',
'throttled' => 'Molimo pričekajte prije ponovnog pokušaja!', 'throttled' => 'Molimo pričekajte prije ponovnog pokušaja!',
'token' => 'Oznaka za ponovno postavljanje lozinke više nije važeća.', 'token' => 'Oznaka za ponovno postavljanje lozinke više nije važeća.',
'user' => 'Korisnik s navedenom e-mail adresom nije pronađen.', '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,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
return [
'accepted' => 'Polje :attribute mora biti prihvaćeno.', 'accepted' => 'Polje :attribute mora biti prihvaćeno.',
'accepted_if' => 'Polje :attribute mora biti prihvaćeno kada je :other jednako :value.', 'accepted_if' => 'Polje :attribute mora biti prihvaćeno kada je :other jednako :value.',
'active_url' => 'Polje :attribute nije ispravan URL.', 'active_url' => 'Polje :attribute nije ispravan URL.',
@@ -13,128 +11,8 @@ return [
'alpha_num' => 'Polje :attribute smije sadržavati samo slova i brojeve.', 'alpha_num' => 'Polje :attribute smije sadržavati samo slova i brojeve.',
'array' => 'Polje :attribute mora biti niz.', 'array' => 'Polje :attribute mora biti niz.',
'attached' => 'Polje :attribute je već prikvačeno.', 'attached' => 'Polje :attribute je već prikvačeno.',
'before' => 'Polje :attribute mora biti datum prije :date.', 'attributes' =>
'before_or_equal' => 'Polje :attribute mora biti datum manji ili jednak :date.', array (
'between' => [
'array' => 'Polje :attribute mora imati između :min - :max stavki.',
'file' => 'Polje :attribute mora biti između :min - :max kilobajta.',
'numeric' => 'Polje :attribute mora biti između :min - :max.',
'string' => 'Polje :attribute mora biti između :min - :max znakova.',
],
'boolean' => 'Polje :attribute mora biti false ili true.',
'confirmed' => 'Potvrda polja :attribute se ne podudara.',
'current_password' => 'Lozinka nije ispravna.',
'date' => 'Polje :attribute nije ispravan datum.',
'date_equals' => 'Stavka :attribute mora biti jednaka :date.',
'date_format' => 'Polje :attribute ne podudara s formatom :format.',
'declined' => 'Polje :attribute mora biti odbijeno.',
'declined_if' => 'Polje :attribute mora biti odbijeno kada je :other jednako :value.',
'different' => 'Polja :attribute i :other moraju biti različita.',
'digits' => 'Polje :attribute mora sadržavati :digits znamenki.',
'digits_between' => 'Polje :attribute mora imati između :min i :max znamenki.',
'dimensions' => 'Polje :attribute ima neispravne dimenzije slike.',
'distinct' => 'Polje :attribute ima dupliciranu vrijednost.',
'doesnt_end_with' => 'Polje :attribute ne smije završavati s jednom od sljedećih vrijednosti: :values.',
'doesnt_start_with' => 'Polje :attribute ne smije počinjati s jednom od sljedećih vrijednosti: :values.',
'email' => 'Polje :attribute mora biti ispravna e-mail adresa.',
'ends_with' => ':Attribute bi trebao završiti s jednim od sljedećih: :values.',
'enum' => 'Odabrano polje :attribute nije ispravno.',
'exists' => 'Odabrano polje :attribute nije ispravno.',
'file' => 'Polje :attribute mora biti datoteka.',
'filled' => 'Polje :attribute je obavezno.',
'gt' => [
'array' => 'Polje :attribute mora biti veće od :value stavki.',
'file' => 'Polje :attribute mora biti veće od :value kilobajta.',
'numeric' => 'Polje :attribute mora biti veće od :value.',
'string' => 'Polje :attribute mora biti veće od :value karaktera.',
],
'gte' => [
'array' => 'Polje :attribute mora imati najmanje :value stavki.',
'file' => 'Polje :attribute mora imati najmanje :value kilobajta.',
'numeric' => 'Polje :attribute mora biti veće ili jednako :value.',
'string' => 'Polje :attribute mora biti veće ili jednako :value znakova.',
],
'image' => 'Polje :attribute mora biti slika.',
'in' => 'Odabrano polje :attribute nije ispravno.',
'in_array' => 'Polje :attribute ne postoji u :other.',
'integer' => 'Polje :attribute mora biti broj.',
'ip' => 'Polje :attribute mora biti ispravna IP adresa.',
'ipv4' => 'Polje :attribute mora biti ispravna IPv4 adresa.',
'ipv6' => 'Polje :attribute mora biti ispravna IPv6 adresa.',
'json' => 'Polje :attribute mora biti ispravan JSON string.',
'lowercase' => 'Polje :attribute mora sadržavati samo mala slova.',
'lt' => [
'array' => 'Polje :attribute mora biti manje od :value stavki.',
'file' => 'Polje :attribute mora biti manje od :value kilobajta.',
'numeric' => 'Polje :attribute mora biti manje od :value.',
'string' => 'Polje :attribute mora biti manje od :value znakova.',
],
'lte' => [
'array' => 'Polje :attribute ne smije imati više od :value stavki.',
'file' => 'Polje :attribute mora biti manje ili jednako :value kilobajta.',
'numeric' => 'Polje :attribute mora biti manje ili jednako :value.',
'string' => 'Polje :attribute mora biti manje ili jednako :value znakova.',
],
'mac_address' => 'Polje :attribute mora biti ispravna MAC adresa.',
'max' => [
'array' => 'Polje :attribute ne smije imati više od :max stavki.',
'file' => 'Polje :attribute mora biti manje od :max kilobajta.',
'numeric' => 'Polje :attribute mora biti manje od :max.',
'string' => 'Polje :attribute mora sadržavati manje od :max znakova.',
],
'max_digits' => 'Polje :attribute ne smije imati više od :max znamenaka.',
'mimes' => 'Polje :attribute mora biti datoteka tipa: :values.',
'mimetypes' => 'Polje :attribute mora biti datoteka tipa: :values.',
'min' => [
'array' => 'Polje :attribute mora sadržavati najmanje :min stavki.',
'file' => 'Polje :attribute mora biti najmanje :min kilobajta.',
'numeric' => 'Polje :attribute mora biti najmanje :min.',
'string' => 'Polje :attribute mora sadržavati najmanje :min znakova.',
],
'min_digits' => 'Polje :attribute mora sadržavati najmanje :min znamenaka.',
'multiple_of' => 'Broj :attribute mora biti višekratnik :value',
'not_in' => 'Odabrano polje :attribute nije ispravno.',
'not_regex' => 'Format polja :attribute je neispravan.',
'numeric' => 'Polje :attribute mora biti broj.',
'password' => [
'letters' => 'Polje :attribute mora sadržavati najmanje jedno slovo.',
'mixed' => 'Polje :attribute mora sadržavati najmanje jedno veliko i jedno malo slovo.',
'numbers' => 'Polje :attribute mora sadržavati najmanje jedan broj.',
'symbols' => 'Polje :attribute mora sadržavati najmanje jedan simbol.',
'uncompromised' => 'Vrijednost u :attribute se pojavila u curenju informacija. Molimo vas da odaberete drugu vrijednost za :attribute.',
],
'present' => 'Polje :attribute mora biti prisutno.',
'prohibited' => 'Polje :attribute je zabranjeno.',
'prohibited_if' => 'Polje :attribute zabranjeno je kada je :other :value.',
'prohibited_unless' => 'Polje :attribute zabranjeno je, osim ako :other nije u :values.',
'prohibits' => 'Polje :attribute zabranjuje da polje :other bude prisutno.',
'regex' => 'Polje :attribute se ne podudara s formatom.',
'relatable' => 'Polje :attribute se ne može povezati s ovim resursom.',
'required' => 'Polje :attribute je obavezno.',
'required_array_keys' => 'Polje :attribute mora sadržavati unose za: :values.',
'required_if' => 'Polje :attribute je obavezno kada polje :other sadrži :value.',
'required_if_accepted' => 'Polje :attribute je obavezno kada je prihvaćeno polje :other.',
'required_unless' => 'Polje :attribute je obavezno osim :other je u :values.',
'required_with' => 'Polje :attribute je obavezno kada postoji polje :values.',
'required_with_all' => 'Polje :attribute je obavezno kada postje polja :values.',
'required_without' => 'Polje :attribute je obavezno kada ne postoji polje :values.',
'required_without_all' => 'Polje :attribute je obavezno kada nijedno od polja :values ne postoji.',
'same' => 'Polja :attribute i :other se moraju podudarati.',
'size' => [
'array' => 'Polje :attribute mora sadržavati :size stavki.',
'file' => 'Polje :attribute mora biti :size kilobajta.',
'numeric' => 'Polje :attribute mora biti :size.',
'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.',
'attributes' => [
'address' => 'adresa', 'address' => 'adresa',
'age' => 'dob', 'age' => 'dob',
'amount' => 'iznos', 'amount' => 'iznos',
@@ -206,5 +84,135 @@ return [
'updated_at' => 'ažurirano', 'updated_at' => 'ažurirano',
'username' => 'korisničko ime', 'username' => 'korisničko ime',
'year' => 'godina', 'year' => 'godina',
], ),
]; 'before' => 'Polje :attribute mora biti datum prije :date.',
'before_or_equal' => 'Polje :attribute mora biti datum manji ili jednak :date.',
'between' =>
array (
'array' => 'Polje :attribute mora imati između :min - :max stavki.',
'file' => 'Polje :attribute mora biti između :min - :max kilobajta.',
'numeric' => 'Polje :attribute mora biti između :min - :max.',
'string' => 'Polje :attribute mora biti između :min - :max znakova.',
),
'boolean' => 'Polje :attribute mora biti false ili true.',
'confirmed' => 'Potvrda polja :attribute se ne podudara.',
'current_password' => 'Lozinka nije ispravna.',
'date' => 'Polje :attribute nije ispravan datum.',
'date_equals' => 'Stavka :attribute mora biti jednaka :date.',
'date_format' => 'Polje :attribute ne podudara s formatom :format.',
'declined' => 'Polje :attribute mora biti odbijeno.',
'declined_if' => 'Polje :attribute mora biti odbijeno kada je :other jednako :value.',
'different' => 'Polja :attribute i :other moraju biti različita.',
'digits' => 'Polje :attribute mora sadržavati :digits znamenki.',
'digits_between' => 'Polje :attribute mora imati između :min i :max znamenki.',
'dimensions' => 'Polje :attribute ima neispravne dimenzije slike.',
'distinct' => 'Polje :attribute ima dupliciranu vrijednost.',
'doesnt_end_with' => 'Polje :attribute ne smije završavati s jednom od sljedećih vrijednosti: :values.',
'doesnt_start_with' => 'Polje :attribute ne smije počinjati s jednom od sljedećih vrijednosti: :values.',
'email' => 'Polje :attribute mora biti ispravna e-mail adresa.',
'ends_with' => ':Attribute bi trebao završiti s jednim od sljedećih: :values.',
'enum' => 'Odabrano polje :attribute nije ispravno.',
'exists' => 'Odabrano polje :attribute nije ispravno.',
'file' => 'Polje :attribute mora biti datoteka.',
'filled' => 'Polje :attribute je obavezno.',
'gt' =>
array (
'array' => 'Polje :attribute mora biti veće od :value stavki.',
'file' => 'Polje :attribute mora biti veće od :value kilobajta.',
'numeric' => 'Polje :attribute mora biti veće od :value.',
'string' => 'Polje :attribute mora biti veće od :value karaktera.',
),
'gte' =>
array (
'array' => 'Polje :attribute mora imati najmanje :value stavki.',
'file' => 'Polje :attribute mora imati najmanje :value kilobajta.',
'numeric' => 'Polje :attribute mora biti veće ili jednako :value.',
'string' => 'Polje :attribute mora biti veće ili jednako :value znakova.',
),
'image' => 'Polje :attribute mora biti slika.',
'in' => 'Odabrano polje :attribute nije ispravno.',
'in_array' => 'Polje :attribute ne postoji u :other.',
'integer' => 'Polje :attribute mora biti broj.',
'ip' => 'Polje :attribute mora biti ispravna IP adresa.',
'ipv4' => 'Polje :attribute mora biti ispravna IPv4 adresa.',
'ipv6' => 'Polje :attribute mora biti ispravna IPv6 adresa.',
'json' => 'Polje :attribute mora biti ispravan JSON string.',
'lowercase' => 'Polje :attribute mora sadržavati samo mala slova.',
'lt' =>
array (
'array' => 'Polje :attribute mora biti manje od :value stavki.',
'file' => 'Polje :attribute mora biti manje od :value kilobajta.',
'numeric' => 'Polje :attribute mora biti manje od :value.',
'string' => 'Polje :attribute mora biti manje od :value znakova.',
),
'lte' =>
array (
'array' => 'Polje :attribute ne smije imati više od :value stavki.',
'file' => 'Polje :attribute mora biti manje ili jednako :value kilobajta.',
'numeric' => 'Polje :attribute mora biti manje ili jednako :value.',
'string' => 'Polje :attribute mora biti manje ili jednako :value znakova.',
),
'mac_address' => 'Polje :attribute mora biti ispravna MAC adresa.',
'max' =>
array (
'array' => 'Polje :attribute ne smije imati više od :max stavki.',
'file' => 'Polje :attribute mora biti manje od :max kilobajta.',
'numeric' => 'Polje :attribute mora biti manje od :max.',
'string' => 'Polje :attribute mora sadržavati manje od :max znakova.',
),
'max_digits' => 'Polje :attribute ne smije imati više od :max znamenaka.',
'mimes' => 'Polje :attribute mora biti datoteka tipa: :values.',
'mimetypes' => 'Polje :attribute mora biti datoteka tipa: :values.',
'min' =>
array (
'array' => 'Polje :attribute mora sadržavati najmanje :min stavki.',
'file' => 'Polje :attribute mora biti najmanje :min kilobajta.',
'numeric' => 'Polje :attribute mora biti najmanje :min.',
'string' => 'Polje :attribute mora sadržavati najmanje :min znakova.',
),
'min_digits' => 'Polje :attribute mora sadržavati najmanje :min znamenaka.',
'multiple_of' => 'Broj :attribute mora biti višekratnik :value',
'not_in' => 'Odabrano polje :attribute nije ispravno.',
'not_regex' => 'Format polja :attribute je neispravan.',
'numeric' => 'Polje :attribute mora biti broj.',
'password' =>
array (
'letters' => 'Polje :attribute mora sadržavati najmanje jedno slovo.',
'mixed' => 'Polje :attribute mora sadržavati najmanje jedno veliko i jedno malo slovo.',
'numbers' => 'Polje :attribute mora sadržavati najmanje jedan broj.',
'symbols' => 'Polje :attribute mora sadržavati najmanje jedan simbol.',
'uncompromised' => 'Vrijednost u :attribute se pojavila u curenju informacija. Molimo vas da odaberete drugu vrijednost za :attribute.',
),
'present' => 'Polje :attribute mora biti prisutno.',
'prohibited' => 'Polje :attribute je zabranjeno.',
'prohibited_if' => 'Polje :attribute zabranjeno je kada je :other :value.',
'prohibited_unless' => 'Polje :attribute zabranjeno je, osim ako :other nije u :values.',
'prohibits' => 'Polje :attribute zabranjuje da polje :other bude prisutno.',
'regex' => 'Polje :attribute se ne podudara s formatom.',
'relatable' => 'Polje :attribute se ne može povezati s ovim resursom.',
'required' => 'Polje :attribute je obavezno.',
'required_array_keys' => 'Polje :attribute mora sadržavati unose za: :values.',
'required_if' => 'Polje :attribute je obavezno kada polje :other sadrži :value.',
'required_if_accepted' => 'Polje :attribute je obavezno kada je prihvaćeno polje :other.',
'required_unless' => 'Polje :attribute je obavezno osim :other je u :values.',
'required_with' => 'Polje :attribute je obavezno kada postoji polje :values.',
'required_with_all' => 'Polje :attribute je obavezno kada postje polja :values.',
'required_without' => 'Polje :attribute je obavezno kada ne postoji polje :values.',
'required_without_all' => 'Polje :attribute je obavezno kada nijedno od polja :values ne postoji.',
'same' => 'Polja :attribute i :other se moraju podudarati.',
'size' =>
array (
'array' => 'Polje :attribute mora sadržavati :size stavki.',
'file' => 'Polje :attribute mora biti :size kilobajta.',
'numeric' => 'Polje :attribute mora biti :size.',
'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 (
return [
'failed' => 'Credenziali non valide.', 'failed' => 'Credenziali non valide.',
'password' => 'Il campo :attribute non è corretto.', 'password' => 'Il campo :attribute non è corretto.',
'throttle' => 'Troppi tentativi di accesso. Riprova tra :seconds secondi.', '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 [
'0' => 'Errore sconosciuto',
'100' => 'Continua',
'101' => 'Scambiando protocolli',
'102' => 'In processo',
'200' => 'OK',
'201' => 'Creato',
'202' => 'Accettato',
'203' => 'Informazione non autorevole',
'204' => 'Nessun contenuto',
'205' => 'Resetta il contenuto',
'206' => 'Contenuto parziale',
'207' => 'Stati multipli',
'208' => 'Già riportato',
'226' => 'IM utilizzati',
'300' => 'Scelte multiple',
'301' => 'Trasferito permanentemente',
'302' => 'Trovato',
'303' => 'Guarda altro',
'304' => 'Non modificata',
'305' => 'Usa un proxy',
'307' => 'Re-indirizzamento temporaneo',
'308' => 'Re-indirizzamento permanente',
'400' => 'Cattiva richiesta',
'401' => 'Non autorizzata',
'402' => 'Pagamento richiesto',
'403' => 'Accesso vietato',
'404' => 'Pagina non trovata',
'405' => 'Metodo non consentito',
'406' => 'Non accettabile',
'407' => 'Autenticazione al proxy richiesta',
'408' => 'Tempo scaduto per la richiesta',
'409' => 'Conflitto',
'410' => 'Andata',
'411' => 'Lunghezza necessaria',
'412' => 'Precondizione fallita',
'413' => 'Payload troppo grande',
'414' => 'URI troppo lungo',
'415' => 'Media Type non supportato',
'416' => 'intervallo non soddisfacibile',
'417' => 'Aspettativa fallita',
'418' => 'Sono una teiera',
'419' => 'Sessione scaduta',
'421' => 'Richiesta mal indirizzata',
'422' => 'Entità improcessabile',
'423' => 'Bloccata',
'424' => 'Dipendenza fallita',
'425' => 'Too Early',
'426' => 'Aggiornamento richiesto',
'428' => 'Precondizione necessaria',
'429' => 'Troppe richieste',
'431' => 'Campi header della richiesta troppo grandi',
'444' => 'Connection Closed Without Response',
'449' => 'Riprova con',
'451' => 'Non disponibile per motivi legali',
'499' => 'Client Closed Request',
'500' => 'Errore interno al server',
'501' => 'Non implementato',
'502' => 'Gateway cattivo',
'503' => 'In manutenzione',
'504' => 'Tempo scaduto per il gateway',
'505' => 'Versione HTTP non supportata',
'506' => 'Variante anche negozia',
'507' => 'Spazio insufficiente',
'508' => 'Loop identificato',
'509' => 'Limita di banda superato',
'510' => 'Non esteso',
'511' => 'Autenticazione di rete necessaria',
'520' => 'Errore sconosciuto',
'521' => 'Web server spento',
'522' => 'Tempo scaduto per la connessione',
'523' => 'Origine non raggiungibile',
'524' => 'Un timeout è avvenuto',
'525' => 'Handshake SSL fallita',
'526' => 'Certificato SSL invalido',
'527' => 'Railgun Error',
'598' => 'Network Read Timeout Error',
'599' => 'Network Connect Timeout Error',
'unknownError' => 'Errore sconosciuto', 'unknownError' => 'Errore sconosciuto',
]; 100 => 'Continua',
101 => 'Scambiando protocolli',
102 => 'In processo',
200 => 'OK',
201 => 'Creato',
202 => 'Accettato',
203 => 'Informazione non autorevole',
204 => 'Nessun contenuto',
205 => 'Resetta il contenuto',
206 => 'Contenuto parziale',
207 => 'Stati multipli',
208 => 'Già riportato',
226 => 'IM utilizzati',
300 => 'Scelte multiple',
301 => 'Trasferito permanentemente',
302 => 'Trovato',
303 => 'Guarda altro',
304 => 'Non modificata',
305 => 'Usa un proxy',
307 => 'Re-indirizzamento temporaneo',
308 => 'Re-indirizzamento permanente',
400 => 'Cattiva richiesta',
401 => 'Non autorizzata',
402 => 'Pagamento richiesto',
403 => 'Accesso vietato',
404 => 'Pagina non trovata',
405 => 'Metodo non consentito',
406 => 'Non accettabile',
407 => 'Autenticazione al proxy richiesta',
408 => 'Tempo scaduto per la richiesta',
409 => 'Conflitto',
410 => 'Andata',
411 => 'Lunghezza necessaria',
412 => 'Precondizione fallita',
413 => 'Payload troppo grande',
414 => 'URI troppo lungo',
415 => 'Media Type non supportato',
416 => 'intervallo non soddisfacibile',
417 => 'Aspettativa fallita',
418 => 'Sono una teiera',
419 => 'Sessione scaduta',
421 => 'Richiesta mal indirizzata',
422 => 'Entità improcessabile',
423 => 'Bloccata',
424 => 'Dipendenza fallita',
425 => 'Too Early',
426 => 'Aggiornamento richiesto',
428 => 'Precondizione necessaria',
429 => 'Troppe richieste',
431 => 'Campi header della richiesta troppo grandi',
444 => 'Connection Closed Without Response',
449 => 'Riprova con',
451 => 'Non disponibile per motivi legali',
499 => 'Client Closed Request',
500 => 'Errore interno al server',
501 => 'Non implementato',
502 => 'Gateway cattivo',
503 => 'In manutenzione',
504 => 'Tempo scaduto per il gateway',
505 => 'Versione HTTP non supportata',
506 => 'Variante anche negozia',
507 => 'Spazio insufficiente',
508 => 'Loop identificato',
509 => 'Limita di banda superato',
510 => 'Non esteso',
511 => 'Autenticazione di rete necessaria',
520 => 'Errore sconosciuto',
521 => 'Web server spento',
522 => 'Tempo scaduto per la connessione',
523 => 'Origine non raggiungibile',
524 => 'Un timeout è avvenuto',
525 => 'Handshake SSL fallita',
526 => 'Certificato SSL invalido',
527 => 'Railgun Error',
598 => 'Network Read Timeout Error',
599 => 'Network Connect Timeout Error',
);

View File

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

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
return [
'reset' => 'La password è stata reimpostata!', 'reset' => 'La password è stata reimpostata!',
'sent' => 'Ti abbiamo inviato una email con il link per il reset della password!', 'sent' => 'Ti abbiamo inviato una email con il link per il reset della password!',
'throttled' => 'Per favore, attendi prima di riprovare.', 'throttled' => 'Per favore, attendi prima di riprovare.',
'token' => 'Questo token di reset della password non è valido.', 'token' => 'Questo token di reset della password non è valido.',
'user' => 'Non riusciamo a trovare un utente con questo indirizzo email.', '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,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
return [
'accepted' => ':Attribute deve essere accettato.', 'accepted' => ':Attribute deve essere accettato.',
'accepted_if' => ':Attribute deve essere accettato quando :other è :value.', 'accepted_if' => ':Attribute deve essere accettato quando :other è :value.',
'active_url' => ':Attribute non è un URL valido.', 'active_url' => ':Attribute non è un URL valido.',
@@ -13,128 +11,8 @@ return [
'alpha_num' => ':Attribute può contenere solo lettere e numeri.', 'alpha_num' => ':Attribute può contenere solo lettere e numeri.',
'array' => ':Attribute deve essere un array.', 'array' => ':Attribute deve essere un array.',
'attached' => ':Attribute è già associato.', 'attached' => ':Attribute è già associato.',
'before' => ':Attribute deve essere una data precedente al :date.', 'attributes' =>
'before_or_equal' => ':Attribute deve essere una data precedente o uguale al :date.', array (
'between' => [
'array' => ':Attribute deve avere tra :min - :max elementi.',
'file' => ':Attribute deve trovarsi tra :min - :max kilobyte.',
'numeric' => ':Attribute deve trovarsi tra :min - :max.',
'string' => ':Attribute deve trovarsi tra :min - :max caratteri.',
],
'boolean' => 'Il campo :attribute deve essere vero o falso.',
'confirmed' => 'Il campo di conferma per :attribute non coincide.',
'current_password' => 'Password non valida.',
'date' => ':Attribute non è una data valida.',
'date_equals' => ':Attribute deve essere una data e uguale a :date.',
'date_format' => ':Attribute non coincide con il formato :format.',
'declined' => ':Attribute deve essere rifiutato.',
'declined_if' => ':Attribute deve essere rifiutato quando :other è :value.',
'different' => ':Attribute e :other devono essere differenti.',
'digits' => ':Attribute deve essere di :digits cifre.',
'digits_between' => ':Attribute deve essere tra :min e :max cifre.',
'dimensions' => 'Le dimensioni dell\'immagine di :attribute non sono valide.',
'distinct' => ':Attribute contiene un valore duplicato.',
'doesnt_end_with' => ':Attribute non può terminare con uno dei seguenti valori: :values.',
'doesnt_start_with' => ':Attribute non può iniziare con uno dei seguenti valori: :values.',
'email' => ':Attribute non è valido.',
'ends_with' => ':Attribute deve finire con uno dei seguenti valori: :values',
'enum' => 'Il campo :attribute non è valido.',
'exists' => ':Attribute selezionato non è valido.',
'file' => ':Attribute deve essere un file.',
'filled' => 'Il campo :attribute deve contenere un valore.',
'gt' => [
'array' => ':Attribute deve contenere più di :value elementi.',
'file' => ':Attribute deve essere maggiore di :value kilobyte.',
'numeric' => ':Attribute deve essere maggiore di :value.',
'string' => ':Attribute deve contenere più di :value caratteri.',
],
'gte' => [
'array' => ':Attribute deve contenere un numero di elementi uguale o maggiore di :value.',
'file' => ':Attribute deve essere uguale o maggiore di :value kilobyte.',
'numeric' => ':Attribute deve essere uguale o maggiore di :value.',
'string' => ':Attribute deve contenere un numero di caratteri uguale o maggiore di :value.',
],
'image' => ':Attribute deve essere un\'immagine.',
'in' => ':Attribute selezionato non è valido.',
'in_array' => 'Il valore del campo :attribute non esiste in :other.',
'integer' => ':Attribute deve essere un numero intero.',
'ip' => ':Attribute deve essere un indirizzo IP valido.',
'ipv4' => ':Attribute deve essere un indirizzo IPv4 valido.',
'ipv6' => ':Attribute deve essere un indirizzo IPv6 valido.',
'json' => ':Attribute deve essere una stringa JSON valida.',
'lowercase' => ':Attribute deve contenere solo caratteri minuscoli.',
'lt' => [
'array' => ':Attribute deve contenere meno di :value elementi.',
'file' => ':Attribute deve essere minore di :value kilobyte.',
'numeric' => ':Attribute deve essere minore di :value.',
'string' => ':Attribute deve contenere meno di :value caratteri.',
],
'lte' => [
'array' => ':Attribute deve contenere un numero di elementi minore o uguale a :value.',
'file' => ':Attribute deve essere minore o uguale a :value kilobyte.',
'numeric' => ':Attribute deve essere minore o uguale a :value.',
'string' => ':Attribute deve contenere un numero di caratteri minore o uguale a :value.',
],
'mac_address' => 'Il campo :attribute deve essere un indirizzo MAC valido .',
'max' => [
'array' => ':Attribute non può avere più di :max elementi.',
'file' => ':Attribute non può essere superiore a :max kilobyte.',
'numeric' => ':Attribute non può essere superiore a :max.',
'string' => ':Attribute non può contenere più di :max caratteri.',
],
'max_digits' => ':Attribute non può contenere più di :max cifre.',
'mimes' => ':Attribute deve essere del tipo: :values.',
'mimetypes' => ':Attribute deve essere del tipo: :values.',
'min' => [
'array' => ':Attribute deve avere almeno :min elementi.',
'file' => ':Attribute deve essere almeno di :min kilobyte.',
'numeric' => ':Attribute deve essere almeno :min.',
'string' => ':Attribute deve contenere almeno :min caratteri.',
],
'min_digits' => ':Attribute deve contenere almeno :min cifre.',
'multiple_of' => ':Attribute deve essere un multiplo di :value',
'not_in' => 'Il valore selezionato per :attribute non è valido.',
'not_regex' => 'Il formato di :attribute non è valido.',
'numeric' => ':Attribute deve essere un numero.',
'password' => [
'letters' => ':Attribute deve contenere almeno un carattere.',
'mixed' => ':Attribute deve contenere almeno un carattere maiuscolo ed un carattere minuscolo.',
'numbers' => ':Attribute deve contenere almeno un numero.',
'symbols' => ':Attribute deve contenere almeno un simbolo.',
'uncompromised' => ':Attribute è presente negli archivi dei dati trafugati. Per piacere scegli un valore differente per :attribute.',
],
'present' => 'Il campo :attribute deve essere presente.',
'prohibited' => ':Attribute non consentito.',
'prohibited_if' => ':Attribute non consentito quando :other è :value.',
'prohibited_unless' => ':Attribute non consentito a meno che :other sia contenuto in :values.',
'prohibits' => ':Attribute impedisce a :other di essere presente.',
'regex' => 'Il formato del campo :attribute non è valido.',
'relatable' => ':Attribute non può essere associato a questa risorsa.',
'required' => 'Il campo :attribute è richiesto.',
'required_array_keys' => 'Il campo :attribute deve contenere voci per: :values.',
'required_if' => 'Il campo :attribute è richiesto quando :other è :value.',
'required_if_accepted' => ':Attribute è richiesto quando :other è accettato.',
'required_unless' => 'Il campo :attribute è richiesto a meno che :other sia in :values.',
'required_with' => 'Il campo :attribute è richiesto quando :values è presente.',
'required_with_all' => 'Il campo :attribute è richiesto quando :values sono presenti.',
'required_without' => 'Il campo :attribute è richiesto quando :values non è presente.',
'required_without_all' => 'Il campo :attribute è richiesto quando nessuno di :values è presente.',
'same' => ':Attribute e :other devono coincidere.',
'size' => [
'array' => ':Attribute deve contenere :size elementi.',
'file' => ':Attribute deve essere :size kilobyte.',
'numeric' => ':Attribute deve essere :size.',
'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.',
'attributes' => [
'address' => 'indirizzo', 'address' => 'indirizzo',
'age' => 'età', 'age' => 'età',
'amount' => 'amount', 'amount' => 'amount',
@@ -206,5 +84,135 @@ return [
'updated_at' => 'updated at', 'updated_at' => 'updated at',
'username' => 'nome utente', 'username' => 'nome utente',
'year' => 'anno', 'year' => 'anno',
], ),
]; 'before' => ':Attribute deve essere una data precedente al :date.',
'before_or_equal' => ':Attribute deve essere una data precedente o uguale al :date.',
'between' =>
array (
'array' => ':Attribute deve avere tra :min - :max elementi.',
'file' => ':Attribute deve trovarsi tra :min - :max kilobyte.',
'numeric' => ':Attribute deve trovarsi tra :min - :max.',
'string' => ':Attribute deve trovarsi tra :min - :max caratteri.',
),
'boolean' => 'Il campo :attribute deve essere vero o falso.',
'confirmed' => 'Il campo di conferma per :attribute non coincide.',
'current_password' => 'Password non valida.',
'date' => ':Attribute non è una data valida.',
'date_equals' => ':Attribute deve essere una data e uguale a :date.',
'date_format' => ':Attribute non coincide con il formato :format.',
'declined' => ':Attribute deve essere rifiutato.',
'declined_if' => ':Attribute deve essere rifiutato quando :other è :value.',
'different' => ':Attribute e :other devono essere differenti.',
'digits' => ':Attribute deve essere di :digits cifre.',
'digits_between' => ':Attribute deve essere tra :min e :max cifre.',
'dimensions' => 'Le dimensioni dell\'immagine di :attribute non sono valide.',
'distinct' => ':Attribute contiene un valore duplicato.',
'doesnt_end_with' => ':Attribute non può terminare con uno dei seguenti valori: :values.',
'doesnt_start_with' => ':Attribute non può iniziare con uno dei seguenti valori: :values.',
'email' => ':Attribute non è valido.',
'ends_with' => ':Attribute deve finire con uno dei seguenti valori: :values',
'enum' => 'Il campo :attribute non è valido.',
'exists' => ':Attribute selezionato non è valido.',
'file' => ':Attribute deve essere un file.',
'filled' => 'Il campo :attribute deve contenere un valore.',
'gt' =>
array (
'array' => ':Attribute deve contenere più di :value elementi.',
'file' => ':Attribute deve essere maggiore di :value kilobyte.',
'numeric' => ':Attribute deve essere maggiore di :value.',
'string' => ':Attribute deve contenere più di :value caratteri.',
),
'gte' =>
array (
'array' => ':Attribute deve contenere un numero di elementi uguale o maggiore di :value.',
'file' => ':Attribute deve essere uguale o maggiore di :value kilobyte.',
'numeric' => ':Attribute deve essere uguale o maggiore di :value.',
'string' => ':Attribute deve contenere un numero di caratteri uguale o maggiore di :value.',
),
'image' => ':Attribute deve essere un\'immagine.',
'in' => ':Attribute selezionato non è valido.',
'in_array' => 'Il valore del campo :attribute non esiste in :other.',
'integer' => ':Attribute deve essere un numero intero.',
'ip' => ':Attribute deve essere un indirizzo IP valido.',
'ipv4' => ':Attribute deve essere un indirizzo IPv4 valido.',
'ipv6' => ':Attribute deve essere un indirizzo IPv6 valido.',
'json' => ':Attribute deve essere una stringa JSON valida.',
'lowercase' => ':Attribute deve contenere solo caratteri minuscoli.',
'lt' =>
array (
'array' => ':Attribute deve contenere meno di :value elementi.',
'file' => ':Attribute deve essere minore di :value kilobyte.',
'numeric' => ':Attribute deve essere minore di :value.',
'string' => ':Attribute deve contenere meno di :value caratteri.',
),
'lte' =>
array (
'array' => ':Attribute deve contenere un numero di elementi minore o uguale a :value.',
'file' => ':Attribute deve essere minore o uguale a :value kilobyte.',
'numeric' => ':Attribute deve essere minore o uguale a :value.',
'string' => ':Attribute deve contenere un numero di caratteri minore o uguale a :value.',
),
'mac_address' => 'Il campo :attribute deve essere un indirizzo MAC valido .',
'max' =>
array (
'array' => ':Attribute non può avere più di :max elementi.',
'file' => ':Attribute non può essere superiore a :max kilobyte.',
'numeric' => ':Attribute non può essere superiore a :max.',
'string' => ':Attribute non può contenere più di :max caratteri.',
),
'max_digits' => ':Attribute non può contenere più di :max cifre.',
'mimes' => ':Attribute deve essere del tipo: :values.',
'mimetypes' => ':Attribute deve essere del tipo: :values.',
'min' =>
array (
'array' => ':Attribute deve avere almeno :min elementi.',
'file' => ':Attribute deve essere almeno di :min kilobyte.',
'numeric' => ':Attribute deve essere almeno :min.',
'string' => ':Attribute deve contenere almeno :min caratteri.',
),
'min_digits' => ':Attribute deve contenere almeno :min cifre.',
'multiple_of' => ':Attribute deve essere un multiplo di :value',
'not_in' => 'Il valore selezionato per :attribute non è valido.',
'not_regex' => 'Il formato di :attribute non è valido.',
'numeric' => ':Attribute deve essere un numero.',
'password' =>
array (
'letters' => ':Attribute deve contenere almeno un carattere.',
'mixed' => ':Attribute deve contenere almeno un carattere maiuscolo ed un carattere minuscolo.',
'numbers' => ':Attribute deve contenere almeno un numero.',
'symbols' => ':Attribute deve contenere almeno un simbolo.',
'uncompromised' => ':Attribute è presente negli archivi dei dati trafugati. Per piacere scegli un valore differente per :attribute.',
),
'present' => 'Il campo :attribute deve essere presente.',
'prohibited' => ':Attribute non consentito.',
'prohibited_if' => ':Attribute non consentito quando :other è :value.',
'prohibited_unless' => ':Attribute non consentito a meno che :other sia contenuto in :values.',
'prohibits' => ':Attribute impedisce a :other di essere presente.',
'regex' => 'Il formato del campo :attribute non è valido.',
'relatable' => ':Attribute non può essere associato a questa risorsa.',
'required' => 'Il campo :attribute è richiesto.',
'required_array_keys' => 'Il campo :attribute deve contenere voci per: :values.',
'required_if' => 'Il campo :attribute è richiesto quando :other è :value.',
'required_if_accepted' => ':Attribute è richiesto quando :other è accettato.',
'required_unless' => 'Il campo :attribute è richiesto a meno che :other sia in :values.',
'required_with' => 'Il campo :attribute è richiesto quando :values è presente.',
'required_with_all' => 'Il campo :attribute è richiesto quando :values sono presenti.',
'required_without' => 'Il campo :attribute è richiesto quando :values non è presente.',
'required_without_all' => 'Il campo :attribute è richiesto quando nessuno di :values è presente.',
'same' => ':Attribute e :other devono coincidere.',
'size' =>
array (
'array' => ':Attribute deve contenere :size elementi.',
'file' => ':Attribute deve essere :size kilobyte.',
'numeric' => ':Attribute deve essere :size.',
'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 (
return [
'failed' => 'Овие акредитиви не се совпаѓаат со нашите записи.', 'failed' => 'Овие акредитиви не се совпаѓаат со нашите записи.',
'password' => 'Лозинката не е точна.', 'password' => 'Лозинката не е точна.',
'throttle' => 'Премногу обиди за најавување. Обидете се повторно за :seconds секунди.', 'throttle' => 'Премногу обиди за најавување. Обидете се повторно за :seconds секунди.',
]; );

View File

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

View File

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

View File

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

View File

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

View File

@@ -1,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
return [
'accepted' => 'Полето :attribute мора да биде прифатено.', 'accepted' => 'Полето :attribute мора да биде прифатено.',
'accepted_if' => 'The :attribute must be accepted when :other is :value.', 'accepted_if' => 'The :attribute must be accepted when :other is :value.',
'active_url' => 'Полето :attribute не е валиден URL.', 'active_url' => 'Полето :attribute не е валиден URL.',
@@ -13,128 +11,8 @@ return [
'alpha_num' => 'Полето :attribute може да содржи само букви и броеви.', 'alpha_num' => 'Полето :attribute може да содржи само букви и броеви.',
'array' => 'Полето :attribute мора да биде низа.', 'array' => 'Полето :attribute мора да биде низа.',
'attached' => 'Оваа :attribute е веќе прикачен.', 'attached' => 'Оваа :attribute е веќе прикачен.',
'before' => 'Полето :attribute мора да биде датум пред :date.', 'attributes' =>
'before_or_equal' => 'Полето :attribute мора да биде датум пред или еднаков на :date.', array (
'between' => [
'array' => 'Полето :attribute мора да има помеѓу :min - :max елементи.',
'file' => 'Полето :attribute мора да биде датотека со големина помеѓу :min и :max килобајти.',
'numeric' => 'Полето :attribute мора да биде број помеѓу :min и :max.',
'string' => 'Полето :attribute мора да биде текст со должина помеѓу :min и :max карактери.',
],
'boolean' => 'Полето :attribute мора да има вредност вистинито (true) или невистинито (false).',
'confirmed' => 'Полето :attribute не е потврдено.',
'current_password' => 'The password is incorrect.',
'date' => 'Полето :attribute не е валиден датум.',
'date_equals' => 'Полето :attribute мора да биде датум еднаков на :date.',
'date_format' => 'Полето :attribute не одговара на форматот :format.',
'declined' => 'The :attribute must be declined.',
'declined_if' => 'The :attribute must be declined when :other is :value.',
'different' => 'Полињата :attribute и :other треба да се различни.',
'digits' => 'Полето :attribute треба да има :digits цифри.',
'digits_between' => 'Полето :attribute треба да има помеѓу :min и :max цифри.',
'dimensions' => 'Полето :attribute има невалидни димензии.',
'distinct' => 'Полето :attribute има вредност која е дупликат.',
'doesnt_end_with' => 'The :attribute may not end with one of the following: :values.',
'doesnt_start_with' => 'The :attribute may not start with one of the following: :values.',
'email' => 'Полето :attribute не е во валиден формат.',
'ends_with' => 'Полето :attribute мора да завршува со една од следните вредности: :values.',
'enum' => 'The selected :attribute is invalid.',
'exists' => 'Полето :attribute има вредност која веќе постои.',
'file' => 'Полето :attribute мора да биде датотека.',
'filled' => 'Полето :attribute мора да има вредност.',
'gt' => [
'array' => 'Полето :attribute мора да има повеке од :value елементи.',
'file' => 'Полето :attribute мора да биде датотека поголема од :value килобајти.',
'numeric' => 'Полето :attribute мора да биде број поголем од :value.',
'string' => 'Полето :attribute мора да биде текст со повеќе од :value карактери.',
],
'gte' => [
'array' => 'Полето :attribute мора да има :value елементи или повеќе.',
'file' => 'Полето :attribute мора да биде датотека поголема или еднаква на :value килобајти.',
'numeric' => 'Полето :attribute мора да биде број поголем или еднаков на :value.',
'string' => 'Полето :attribute мора да биде текст со повеќе или еднаков на :value број на карактери.',
],
'image' => 'Полето :attribute мора да биде слика.',
'in' => 'Избраното поле :attribute е невалидно.',
'in_array' => 'Полето :attribute не содржи вредност која постои во :other.',
'integer' => 'Полето :attribute мора да биде цел број.',
'ip' => 'Полето :attribute мора да биде валидна IP адреса.',
'ipv4' => 'Полето :attribute мора да биде валидна IPv4 адреса.',
'ipv6' => 'Полето :attribute мора да биде валидна IPv6 адреса.',
'json' => 'Полето :attribute мора да биде валиден JSON објект.',
'lowercase' => 'The :attribute must be lowercase.',
'lt' => [
'array' => 'Полето :attribute мора да има помалку од :value елементи.',
'file' => 'Полето :attribute мора да биде датотека помала од :value килобајти.',
'numeric' => 'Полето :attribute мора да биде број помал од :value.',
'string' => 'Полето :attribute мора да биде текст помал од :value број на карактери.',
],
'lte' => [
'array' => 'Полето :attribute мора да има :value елементи или помалку.',
'file' => 'Полето :attribute мора да биде датотека помала или еднаква на :value килобајти.',
'numeric' => 'Полето :attribute мора да биде број помал или еднаков на :value.',
'string' => 'Полето :attribute мора да биде текст со помалку или еднаков на :value број на карактери.',
],
'mac_address' => 'The :attribute must be a valid MAC address.',
'max' => [
'array' => 'Полето :attribute не може да има повеќе од :max елементи.',
'file' => 'Полето :attribute мора да биде датотека не поголема од :max килобајти.',
'numeric' => 'Полето :attribute мора да биде број не поголем од :max.',
'string' => 'Полето :attribute мора да има не повеќе од :max карактери.',
],
'max_digits' => 'The :attribute must not have more than :max digits.',
'mimes' => 'Полето :attribute мора да биде датотека од типот: :values.',
'mimetypes' => 'Полето :attribute мора да биде датотека од типот: :values.',
'min' => [
'array' => 'Полето :attribute мора да има минимум :min елементи.',
'file' => 'Полето :attribute мора да биде датотека не помала од :min килобајти.',
'numeric' => 'Полето :attribute мора да биде број не помал од :min.',
'string' => 'Полето :attribute мора да има не помалку од :min карактери.',
],
'min_digits' => 'The :attribute must have at least :min digits.',
'multiple_of' => 'Полето :attribute мора да биде повеќекратна вредност од :value',
'not_in' => 'Избраното поле :attribute е невалидно.',
'not_regex' => 'Полето :attribute има невалиден формат.',
'numeric' => 'Полето :attribute мора да биде број.',
'password' => [
'letters' => 'The :attribute must contain at least one letter.',
'mixed' => 'The :attribute must contain at least one uppercase and one lowercase letter.',
'numbers' => 'The :attribute must contain at least one number.',
'symbols' => 'The :attribute must contain at least one symbol.',
'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.',
],
'present' => 'Полето :attribute мора да биде присутно.',
'prohibited' => 'Во :attribute година полето е забрането.',
'prohibited_if' => 'На :attribute поле е забрането кога :other е :value.',
'prohibited_unless' => 'На :attribute поле е забранета освен ако не :other е во :values.',
'prohibits' => 'The :attribute field prohibits :other from being present.',
'regex' => 'Полето :attribute има невалиден формат.',
'relatable' => 'Оваа :attribute може да не биде поврзана со овој ресурс.',
'required' => 'Полето :attribute е задолжително.',
'required_array_keys' => 'The :attribute field must contain entries for: :values.',
'required_if' => 'Полето :attribute е задолжително кога :other е :value.',
'required_if_accepted' => 'The :attribute field is required when :other is accepted.',
'required_unless' => 'Полето :attribute е задолжително освен кога :other е во :values.',
'required_with' => 'Полето :attribute е задолжително кога е внесено :values.',
'required_with_all' => 'Полето :attribute е задолжително кога :values се присутни.',
'required_without' => 'Полето :attribute е задолжително кога не е присутно :values.',
'required_without_all' => 'Полето :attribute е задолжително кога ниту една вредност од следните: :values се присутни.',
'same' => 'Полињата :attribute и :other треба да совпаѓаат.',
'size' => [
'array' => 'Полето :attribute мора да биде низа со :size број на елементи.',
'file' => 'Полето :attribute мора да биде датотека со големина од :size килобајти.',
'numeric' => 'Полето :attribute мора да биде број со вредност :size.',
'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 мора да биде валиден УУИД.',
'attributes' => [
'address' => 'адреса', 'address' => 'адреса',
'age' => 'години', 'age' => 'години',
'amount' => 'amount', 'amount' => 'amount',
@@ -206,5 +84,135 @@ return [
'updated_at' => 'updated at', 'updated_at' => 'updated at',
'username' => 'корисничко име', 'username' => 'корисничко име',
'year' => 'година', 'year' => 'година',
], ),
]; 'before' => 'Полето :attribute мора да биде датум пред :date.',
'before_or_equal' => 'Полето :attribute мора да биде датум пред или еднаков на :date.',
'between' =>
array (
'array' => 'Полето :attribute мора да има помеѓу :min - :max елементи.',
'file' => 'Полето :attribute мора да биде датотека со големина помеѓу :min и :max килобајти.',
'numeric' => 'Полето :attribute мора да биде број помеѓу :min и :max.',
'string' => 'Полето :attribute мора да биде текст со должина помеѓу :min и :max карактери.',
),
'boolean' => 'Полето :attribute мора да има вредност вистинито (true) или невистинито (false).',
'confirmed' => 'Полето :attribute не е потврдено.',
'current_password' => 'The password is incorrect.',
'date' => 'Полето :attribute не е валиден датум.',
'date_equals' => 'Полето :attribute мора да биде датум еднаков на :date.',
'date_format' => 'Полето :attribute не одговара на форматот :format.',
'declined' => 'The :attribute must be declined.',
'declined_if' => 'The :attribute must be declined when :other is :value.',
'different' => 'Полињата :attribute и :other треба да се различни.',
'digits' => 'Полето :attribute треба да има :digits цифри.',
'digits_between' => 'Полето :attribute треба да има помеѓу :min и :max цифри.',
'dimensions' => 'Полето :attribute има невалидни димензии.',
'distinct' => 'Полето :attribute има вредност која е дупликат.',
'doesnt_end_with' => 'The :attribute may not end with one of the following: :values.',
'doesnt_start_with' => 'The :attribute may not start with one of the following: :values.',
'email' => 'Полето :attribute не е во валиден формат.',
'ends_with' => 'Полето :attribute мора да завршува со една од следните вредности: :values.',
'enum' => 'The selected :attribute is invalid.',
'exists' => 'Полето :attribute има вредност која веќе постои.',
'file' => 'Полето :attribute мора да биде датотека.',
'filled' => 'Полето :attribute мора да има вредност.',
'gt' =>
array (
'array' => 'Полето :attribute мора да има повеке од :value елементи.',
'file' => 'Полето :attribute мора да биде датотека поголема од :value килобајти.',
'numeric' => 'Полето :attribute мора да биде број поголем од :value.',
'string' => 'Полето :attribute мора да биде текст со повеќе од :value карактери.',
),
'gte' =>
array (
'array' => 'Полето :attribute мора да има :value елементи или повеќе.',
'file' => 'Полето :attribute мора да биде датотека поголема или еднаква на :value килобајти.',
'numeric' => 'Полето :attribute мора да биде број поголем или еднаков на :value.',
'string' => 'Полето :attribute мора да биде текст со повеќе или еднаков на :value број на карактери.',
),
'image' => 'Полето :attribute мора да биде слика.',
'in' => 'Избраното поле :attribute е невалидно.',
'in_array' => 'Полето :attribute не содржи вредност која постои во :other.',
'integer' => 'Полето :attribute мора да биде цел број.',
'ip' => 'Полето :attribute мора да биде валидна IP адреса.',
'ipv4' => 'Полето :attribute мора да биде валидна IPv4 адреса.',
'ipv6' => 'Полето :attribute мора да биде валидна IPv6 адреса.',
'json' => 'Полето :attribute мора да биде валиден JSON објект.',
'lowercase' => 'The :attribute must be lowercase.',
'lt' =>
array (
'array' => 'Полето :attribute мора да има помалку од :value елементи.',
'file' => 'Полето :attribute мора да биде датотека помала од :value килобајти.',
'numeric' => 'Полето :attribute мора да биде број помал од :value.',
'string' => 'Полето :attribute мора да биде текст помал од :value број на карактери.',
),
'lte' =>
array (
'array' => 'Полето :attribute мора да има :value елементи или помалку.',
'file' => 'Полето :attribute мора да биде датотека помала или еднаква на :value килобајти.',
'numeric' => 'Полето :attribute мора да биде број помал или еднаков на :value.',
'string' => 'Полето :attribute мора да биде текст со помалку или еднаков на :value број на карактери.',
),
'mac_address' => 'The :attribute must be a valid MAC address.',
'max' =>
array (
'array' => 'Полето :attribute не може да има повеќе од :max елементи.',
'file' => 'Полето :attribute мора да биде датотека не поголема од :max килобајти.',
'numeric' => 'Полето :attribute мора да биде број не поголем од :max.',
'string' => 'Полето :attribute мора да има не повеќе од :max карактери.',
),
'max_digits' => 'The :attribute must not have more than :max digits.',
'mimes' => 'Полето :attribute мора да биде датотека од типот: :values.',
'mimetypes' => 'Полето :attribute мора да биде датотека од типот: :values.',
'min' =>
array (
'array' => 'Полето :attribute мора да има минимум :min елементи.',
'file' => 'Полето :attribute мора да биде датотека не помала од :min килобајти.',
'numeric' => 'Полето :attribute мора да биде број не помал од :min.',
'string' => 'Полето :attribute мора да има не помалку од :min карактери.',
),
'min_digits' => 'The :attribute must have at least :min digits.',
'multiple_of' => 'Полето :attribute мора да биде повеќекратна вредност од :value',
'not_in' => 'Избраното поле :attribute е невалидно.',
'not_regex' => 'Полето :attribute има невалиден формат.',
'numeric' => 'Полето :attribute мора да биде број.',
'password' =>
array (
'letters' => 'The :attribute must contain at least one letter.',
'mixed' => 'The :attribute must contain at least one uppercase and one lowercase letter.',
'numbers' => 'The :attribute must contain at least one number.',
'symbols' => 'The :attribute must contain at least one symbol.',
'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.',
),
'present' => 'Полето :attribute мора да биде присутно.',
'prohibited' => 'Во :attribute година полето е забрането.',
'prohibited_if' => 'На :attribute поле е забрането кога :other е :value.',
'prohibited_unless' => 'На :attribute поле е забранета освен ако не :other е во :values.',
'prohibits' => 'The :attribute field prohibits :other from being present.',
'regex' => 'Полето :attribute има невалиден формат.',
'relatable' => 'Оваа :attribute може да не биде поврзана со овој ресурс.',
'required' => 'Полето :attribute е задолжително.',
'required_array_keys' => 'The :attribute field must contain entries for: :values.',
'required_if' => 'Полето :attribute е задолжително кога :other е :value.',
'required_if_accepted' => 'The :attribute field is required when :other is accepted.',
'required_unless' => 'Полето :attribute е задолжително освен кога :other е во :values.',
'required_with' => 'Полето :attribute е задолжително кога е внесено :values.',
'required_with_all' => 'Полето :attribute е задолжително кога :values се присутни.',
'required_without' => 'Полето :attribute е задолжително кога не е присутно :values.',
'required_without_all' => 'Полето :attribute е задолжително кога ниту една вредност од следните: :values се присутни.',
'same' => 'Полињата :attribute и :other треба да совпаѓаат.',
'size' =>
array (
'array' => 'Полето :attribute мора да биде низа со :size број на елементи.',
'file' => 'Полето :attribute мора да биде датотека со големина од :size килобајти.',
'numeric' => 'Полето :attribute мора да биде број со вредност :size.',
'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 (
return [
'failed' => 'Błędny login lub hasło.', 'failed' => 'Błędny login lub hasło.',
'password' => 'Hasło jest nieprawidłowe.', 'password' => 'Hasło jest nieprawidłowe.',
'throttle' => 'Za dużo nieudanych prób logowania. Proszę spróbować za :seconds sekund.', '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 [
'0' => 'Nieznany błąd',
'100' => 'Kontynuuj',
'101' => 'Zmieniam protokoły',
'102' => 'Procesuję',
'200' => 'OK',
'201' => 'Utworzono',
'202' => 'Zaakceptowano',
'203' => 'Informacje nieautorytatywne',
'204' => 'Brak treści',
'205' => 'Zresetuj zawartość',
'206' => 'Częściowa zawartość',
'207' => 'Wielostanowy',
'208' => 'Już zgłoszone',
'226' => 'Użyto IM',
'300' => 'Wiele możliwości',
'301' => 'Przeniesiony na stałe',
'302' => 'Znaleziono',
'303' => 'Zobacz inne',
'304' => 'Niezmodyfikowany',
'305' => 'Użyj proxy',
'307' => 'Tymczasowe przekierowanie',
'308' => 'Stałe przekierowanie',
'400' => 'Nieprawidłowe żądanie',
'401' => 'Nieautoryzowany',
'402' => 'Płatność wymagana',
'403' => 'Zabroniony',
'404' => 'Nie znaleziono strony',
'405' => 'Metoda Niedozwolona',
'406' => 'Niedopuszczalne',
'407' => 'Wymagane Uwierzytelnianie Proxy',
'408' => 'Upłynął Limit czasu żądania',
'409' => 'Konflikt',
'410' => 'Zniknął',
'411' => 'Wymagana długość',
'412' => 'Warunek wstępny nie powiódł się',
'413' => 'Ładunek zbyt duży',
'414' => 'Zbyt długi identyfikator URI',
'415' => 'Nieobsługiwany typ nośnika',
'416' => 'Zakres niezadowalający',
'417' => 'Oczekiwanie nie powiodło się',
'418' => 'Jestem czajnikiem',
'419' => 'Sesja wygasła',
'421' => 'Błędnie skierowane żądanie',
'422' => 'Podmiot Nieprzetwarzalny',
'423' => 'Zablokowany',
'424' => 'Nieudana zależność',
'425' => 'Za wcześnie',
'426' => 'Wymagana aktualizacja',
'428' => 'Wymagany warunek wstępny',
'429' => 'Zbyt wiele żądań',
'431' => 'Za duże pola nagłówka żądania',
'444' => 'Połączenie zamknięte bez odpowiedzi',
'449' => 'Spróbuj ponownie z',
'451' => 'Niedostępne ze względów prawnych',
'499' => 'Zamknięte żądanie klienta',
'500' => 'Wewnętrzny błąd serwera',
'501' => 'Nie zaimplementowano',
'502' => 'Zła brama',
'503' => 'Tryb konserwacji',
'504' => 'Przekroczenie limitu czasu bramy',
'505' => 'Wersja HTTP nie jest obsługiwana',
'506' => 'Wariant również negocjuje',
'507' => 'Niewystarczające miejsce do przechowywania',
'508' => 'Wykryto pętlę',
'509' => 'Przekroczono limit przepustowości',
'510' => 'Nie rozszerzona',
'511' => 'Wymagane Uwierzytelnianie Sieci',
'520' => 'Nieznany błąd',
'521' => 'Serwer sieciowy nie działa',
'522' => 'Przekroczono limit czasu połączenia',
'523' => 'Pochodzenie jest nieosiągalne',
'524' => 'Wystąpił limit czasu',
'525' => 'Nieudane uzgadnianie SSL',
'526' => 'Nieprawidłowy Certyfikat SSL',
'527' => 'Błąd Railguna',
'598' => 'Błąd limitu czasu odczytu sieci',
'599' => 'Błąd limitu czasu połączenia sieciowego',
'unknownError' => 'Nieznany błąd', 'unknownError' => 'Nieznany błąd',
]; 100 => 'Kontynuuj',
101 => 'Zmieniam protokoły',
102 => 'Procesuję',
200 => 'OK',
201 => 'Utworzono',
202 => 'Zaakceptowano',
203 => 'Informacje nieautorytatywne',
204 => 'Brak treści',
205 => 'Zresetuj zawartość',
206 => 'Częściowa zawartość',
207 => 'Wielostanowy',
208 => 'Już zgłoszone',
226 => 'Użyto IM',
300 => 'Wiele możliwości',
301 => 'Przeniesiony na stałe',
302 => 'Znaleziono',
303 => 'Zobacz inne',
304 => 'Niezmodyfikowany',
305 => 'Użyj proxy',
307 => 'Tymczasowe przekierowanie',
308 => 'Stałe przekierowanie',
400 => 'Nieprawidłowe żądanie',
401 => 'Nieautoryzowany',
402 => 'Płatność wymagana',
403 => 'Zabroniony',
404 => 'Nie znaleziono strony',
405 => 'Metoda Niedozwolona',
406 => 'Niedopuszczalne',
407 => 'Wymagane Uwierzytelnianie Proxy',
408 => 'Upłynął Limit czasu żądania',
409 => 'Konflikt',
410 => 'Zniknął',
411 => 'Wymagana długość',
412 => 'Warunek wstępny nie powiódł się',
413 => 'Ładunek zbyt duży',
414 => 'Zbyt długi identyfikator URI',
415 => 'Nieobsługiwany typ nośnika',
416 => 'Zakres niezadowalający',
417 => 'Oczekiwanie nie powiodło się',
418 => 'Jestem czajnikiem',
419 => 'Sesja wygasła',
421 => 'Błędnie skierowane żądanie',
422 => 'Podmiot Nieprzetwarzalny',
423 => 'Zablokowany',
424 => 'Nieudana zależność',
425 => 'Za wcześnie',
426 => 'Wymagana aktualizacja',
428 => 'Wymagany warunek wstępny',
429 => 'Zbyt wiele żądań',
431 => 'Za duże pola nagłówka żądania',
444 => 'Połączenie zamknięte bez odpowiedzi',
449 => 'Spróbuj ponownie z',
451 => 'Niedostępne ze względów prawnych',
499 => 'Zamknięte żądanie klienta',
500 => 'Wewnętrzny błąd serwera',
501 => 'Nie zaimplementowano',
502 => 'Zła brama',
503 => 'Tryb konserwacji',
504 => 'Przekroczenie limitu czasu bramy',
505 => 'Wersja HTTP nie jest obsługiwana',
506 => 'Wariant również negocjuje',
507 => 'Niewystarczające miejsce do przechowywania',
508 => 'Wykryto pętlę',
509 => 'Przekroczono limit przepustowości',
510 => 'Nie rozszerzona',
511 => 'Wymagane Uwierzytelnianie Sieci',
520 => 'Nieznany błąd',
521 => 'Serwer sieciowy nie działa',
522 => 'Przekroczono limit czasu połączenia',
523 => 'Pochodzenie jest nieosiągalne',
524 => 'Wystąpił limit czasu',
525 => 'Nieudane uzgadnianie SSL',
526 => 'Nieprawidłowy Certyfikat SSL',
527 => 'Błąd Railguna',
598 => 'Błąd limitu czasu odczytu sieci',
599 => 'Błąd limitu czasu połączenia sieciowego',
);

View File

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

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
return [
'reset' => 'Hasło zostało zresetowane!', 'reset' => 'Hasło zostało zresetowane!',
'sent' => 'Przypomnienie hasła zostało wysłane!', 'sent' => 'Przypomnienie hasła zostało wysłane!',
'throttled' => 'Proszę zaczekać zanim spróbujesz ponownie.', 'throttled' => 'Proszę zaczekać zanim spróbujesz ponownie.',
'token' => 'Token resetowania hasła jest nieprawidłowy.', 'token' => 'Token resetowania hasła jest nieprawidłowy.',
'user' => 'Nie znaleziono użytkownika z takim adresem e-mail.', '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,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
return [
'accepted' => 'Pole :attribute musi zostać zaakceptowane.', 'accepted' => 'Pole :attribute musi zostać zaakceptowane.',
'accepted_if' => 'Pole :attribute musi zostać zaakceptowane gdy :other ma wartość :value.', 'accepted_if' => 'Pole :attribute musi zostać zaakceptowane gdy :other ma wartość :value.',
'active_url' => 'Pole :attribute jest nieprawidłowym adresem URL.', 'active_url' => 'Pole :attribute jest nieprawidłowym adresem URL.',
@@ -13,128 +11,8 @@ return [
'alpha_num' => 'Pole :attribute może zawierać jedynie litery i cyfry.', 'alpha_num' => 'Pole :attribute może zawierać jedynie litery i cyfry.',
'array' => 'Pole :attribute musi być tablicą.', 'array' => 'Pole :attribute musi być tablicą.',
'attached' => 'Pole :attribute jest już dołączony.', 'attached' => 'Pole :attribute jest już dołączony.',
'before' => 'Pole :attribute musi być datą wcześniejszą od :date.', 'attributes' =>
'before_or_equal' => 'Pole :attribute musi być datą nie późniejszą niż :date.', array (
'between' => [
'array' => 'Pole :attribute musi składać się z :min - :max elementów.',
'file' => 'Pole :attribute musi zawierać się w granicach :min - :max kilobajtów.',
'numeric' => 'Pole :attribute musi zawierać się w granicach :min - :max.',
'string' => 'Pole :attribute musi zawierać się w granicach :min - :max znaków.',
],
'boolean' => 'Pole :attribute musi mieć wartość logiczną prawda albo fałsz.',
'confirmed' => 'Potwierdzenie pola :attribute nie zgadza się.',
'current_password' => 'Hasło jest nieprawidłowe.',
'date' => 'Pole :attribute nie jest prawidłową datą.',
'date_equals' => 'Pole :attribute musi być datą równą :date.',
'date_format' => 'Pole :attribute nie jest w formacie :format.',
'declined' => 'Pole :attribute musi zostać odrzucony.',
'declined_if' => 'Pole :attribute musi zostać odrzucony, gdy :other ma wartość :value.',
'different' => 'Pole :attribute oraz :other muszą się różnić.',
'digits' => 'Pole :attribute musi składać się z :digits cyfr.',
'digits_between' => 'Pole :attribute musi mieć od :min do :max cyfr.',
'dimensions' => 'Pole :attribute ma niepoprawne wymiary.',
'distinct' => 'Pole :attribute ma zduplikowane wartości.',
'doesnt_end_with' => 'Pole :attribute nie może kończyć się jednym z następujących wartości: :values.',
'doesnt_start_with' => 'Pole :attribute nie może zaczynać się od jednego z następujących wartości: :values.',
'email' => 'Pole :attribute nie jest poprawnym adresem e-mail.',
'ends_with' => 'Pole :attribute musi kończyć się jedną z następujących wartości: :values.',
'enum' => 'Pole :attribute ma niepoprawną wartość.',
'exists' => 'Zaznaczone pole :attribute jest nieprawidłowe.',
'file' => 'Pole :attribute musi być plikiem.',
'filled' => 'Pole :attribute nie może być puste.',
'gt' => [
'array' => 'Pole :attribute musi mieć więcej niż :value elementów.',
'file' => 'Pole :attribute musi być większe niż :value kilobajtów.',
'numeric' => 'Pole :attribute musi być większe niż :value.',
'string' => 'Pole :attribute musi być dłuższe niż :value znaków.',
],
'gte' => [
'array' => 'Pole :attribute musi mieć :value lub więcej elementów.',
'file' => 'Pole :attribute musi być większe lub równe :value kilobajtów.',
'numeric' => 'Pole :attribute musi być większe lub równe :value.',
'string' => 'Pole :attribute musi być dłuższe lub równe :value znaków.',
],
'image' => 'Pole :attribute musi być obrazkiem.',
'in' => 'Zaznaczony element :attribute jest nieprawidłowy.',
'in_array' => 'Pole :attribute nie znajduje się w :other.',
'integer' => 'Pole :attribute musi być liczbą całkowitą.',
'ip' => 'Pole :attribute musi być prawidłowym adresem IP.',
'ipv4' => 'Pole :attribute musi być prawidłowym adresem IPv4.',
'ipv6' => 'Pole :attribute musi być prawidłowym adresem IPv6.',
'json' => 'Pole :attribute musi być poprawnym ciągiem znaków JSON.',
'lowercase' => 'The :attribute must be lowercase.',
'lt' => [
'array' => 'Pole :attribute musi mieć mniej niż :value elementów.',
'file' => 'Pole :attribute musi być mniejsze niż :value kilobajtów.',
'numeric' => 'Pole :attribute musi być mniejsze niż :value.',
'string' => 'Pole :attribute musi być krótsze niż :value znaków.',
],
'lte' => [
'array' => 'Pole :attribute musi mieć :value lub mniej elementów.',
'file' => 'Pole :attribute musi być mniejsze lub równe :value kilobajtów.',
'numeric' => 'Pole :attribute musi być mniejsze lub równe :value.',
'string' => 'Pole :attribute musi być krótsze lub równe :value znaków.',
],
'mac_address' => 'Pole :attribute musi być prawidłowym adresem MAC.',
'max' => [
'array' => 'Pole :attribute nie może mieć więcej niż :max elementów.',
'file' => 'Pole :attribute nie może być większe niż :max kilobajtów.',
'numeric' => 'Pole :attribute nie może być większe niż :max.',
'string' => 'Pole :attribute nie może być dłuższe niż :max znaków.',
],
'max_digits' => 'Pole :attribute nie może mieć więcej niż :max cyfr.',
'mimes' => 'Pole :attribute musi być plikiem typu :values.',
'mimetypes' => 'Pole :attribute musi być plikiem typu :values.',
'min' => [
'array' => 'Pole :attribute musi mieć przynajmniej :min elementów.',
'file' => 'Pole :attribute musi mieć przynajmniej :min kilobajtów.',
'numeric' => 'Pole :attribute musi być nie mniejsze od :min.',
'string' => 'Pole :attribute musi mieć przynajmniej :min znaków.',
],
'min_digits' => 'Pole :attribute musi mieć co najmniej :min cyfr.',
'multiple_of' => 'Pole :attribute musi być wielokrotnością wartości :value',
'not_in' => 'Zaznaczony :attribute jest nieprawidłowy.',
'not_regex' => 'Format pola :attribute jest nieprawidłowy.',
'numeric' => 'Pole :attribute musi być liczbą.',
'password' => [
'letters' => 'Pole :attribute musi zawierać przynajmniej jedną literę.',
'mixed' => 'Pole :attribute musi zawierać przynajmniej jedną wielką i jedną małą literę.',
'numbers' => 'Pole :attribute musi zawierać przynajmniej jedną liczbę.',
'symbols' => 'Pole :attribute musi zawierać przynajmniej jeden symbol.',
'uncompromised' => 'Podany :attribute pojawił się w wycieku danych. Proszę wybrać inną wartość :attribute.',
],
'present' => 'Pole :attribute musi być obecne.',
'prohibited' => 'Pole :attribute jest zabronione.',
'prohibited_if' => 'Pole :attribute jest zabronione, gdy :other to :value.',
'prohibited_unless' => 'Pole :attribute jest zabronione, chyba że :other jest w :values.',
'prohibits' => 'Pole :attribute zabrania obecności :other.',
'regex' => 'Format pola :attribute jest nieprawidłowy.',
'relatable' => 'Pole :attribute nie może być powiązany z tym zasobem.',
'required' => 'Pole :attribute jest wymagane.',
'required_array_keys' => 'Pole :attribute musi zawierać wartości: :values.',
'required_if' => 'Pole :attribute jest wymagane gdy :other ma wartość :value.',
'required_if_accepted' => 'To pole jest wymagane gdy :other jest zaakceptowane.',
'required_unless' => 'Pole :attribute jest wymagane jeżeli :other nie znajduje się w :values.',
'required_with' => 'Pole :attribute jest wymagane gdy :values jest obecny.',
'required_with_all' => 'Pole :attribute jest wymagane gdy wszystkie :values są obecne.',
'required_without' => 'Pole :attribute jest wymagane gdy :values nie jest obecny.',
'required_without_all' => 'Pole :attribute jest wymagane gdy żadne z :values nie są obecne.',
'same' => 'Pole :attribute i :other muszą być takie same.',
'size' => [
'array' => 'Pole :attribute musi zawierać :size elementów.',
'file' => 'Pole :attribute musi mieć :size kilobajtów.',
'numeric' => 'Pole :attribute musi mieć :size.',
'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.',
'attributes' => [
'address' => 'adres', 'address' => 'adres',
'age' => 'wiek', 'age' => 'wiek',
'amount' => 'ilość', 'amount' => 'ilość',
@@ -206,5 +84,135 @@ return [
'updated_at' => 'zaktualizowano', 'updated_at' => 'zaktualizowano',
'username' => 'nazwa użytkownika', 'username' => 'nazwa użytkownika',
'year' => 'rok', 'year' => 'rok',
], ),
]; 'before' => 'Pole :attribute musi być datą wcześniejszą od :date.',
'before_or_equal' => 'Pole :attribute musi być datą nie późniejszą niż :date.',
'between' =>
array (
'array' => 'Pole :attribute musi składać się z :min - :max elementów.',
'file' => 'Pole :attribute musi zawierać się w granicach :min - :max kilobajtów.',
'numeric' => 'Pole :attribute musi zawierać się w granicach :min - :max.',
'string' => 'Pole :attribute musi zawierać się w granicach :min - :max znaków.',
),
'boolean' => 'Pole :attribute musi mieć wartość logiczną prawda albo fałsz.',
'confirmed' => 'Potwierdzenie pola :attribute nie zgadza się.',
'current_password' => 'Hasło jest nieprawidłowe.',
'date' => 'Pole :attribute nie jest prawidłową datą.',
'date_equals' => 'Pole :attribute musi być datą równą :date.',
'date_format' => 'Pole :attribute nie jest w formacie :format.',
'declined' => 'Pole :attribute musi zostać odrzucony.',
'declined_if' => 'Pole :attribute musi zostać odrzucony, gdy :other ma wartość :value.',
'different' => 'Pole :attribute oraz :other muszą się różnić.',
'digits' => 'Pole :attribute musi składać się z :digits cyfr.',
'digits_between' => 'Pole :attribute musi mieć od :min do :max cyfr.',
'dimensions' => 'Pole :attribute ma niepoprawne wymiary.',
'distinct' => 'Pole :attribute ma zduplikowane wartości.',
'doesnt_end_with' => 'Pole :attribute nie może kończyć się jednym z następujących wartości: :values.',
'doesnt_start_with' => 'Pole :attribute nie może zaczynać się od jednego z następujących wartości: :values.',
'email' => 'Pole :attribute nie jest poprawnym adresem e-mail.',
'ends_with' => 'Pole :attribute musi kończyć się jedną z następujących wartości: :values.',
'enum' => 'Pole :attribute ma niepoprawną wartość.',
'exists' => 'Zaznaczone pole :attribute jest nieprawidłowe.',
'file' => 'Pole :attribute musi być plikiem.',
'filled' => 'Pole :attribute nie może być puste.',
'gt' =>
array (
'array' => 'Pole :attribute musi mieć więcej niż :value elementów.',
'file' => 'Pole :attribute musi być większe niż :value kilobajtów.',
'numeric' => 'Pole :attribute musi być większe niż :value.',
'string' => 'Pole :attribute musi być dłuższe niż :value znaków.',
),
'gte' =>
array (
'array' => 'Pole :attribute musi mieć :value lub więcej elementów.',
'file' => 'Pole :attribute musi być większe lub równe :value kilobajtów.',
'numeric' => 'Pole :attribute musi być większe lub równe :value.',
'string' => 'Pole :attribute musi być dłuższe lub równe :value znaków.',
),
'image' => 'Pole :attribute musi być obrazkiem.',
'in' => 'Zaznaczony element :attribute jest nieprawidłowy.',
'in_array' => 'Pole :attribute nie znajduje się w :other.',
'integer' => 'Pole :attribute musi być liczbą całkowitą.',
'ip' => 'Pole :attribute musi być prawidłowym adresem IP.',
'ipv4' => 'Pole :attribute musi być prawidłowym adresem IPv4.',
'ipv6' => 'Pole :attribute musi być prawidłowym adresem IPv6.',
'json' => 'Pole :attribute musi być poprawnym ciągiem znaków JSON.',
'lowercase' => 'The :attribute must be lowercase.',
'lt' =>
array (
'array' => 'Pole :attribute musi mieć mniej niż :value elementów.',
'file' => 'Pole :attribute musi być mniejsze niż :value kilobajtów.',
'numeric' => 'Pole :attribute musi być mniejsze niż :value.',
'string' => 'Pole :attribute musi być krótsze niż :value znaków.',
),
'lte' =>
array (
'array' => 'Pole :attribute musi mieć :value lub mniej elementów.',
'file' => 'Pole :attribute musi być mniejsze lub równe :value kilobajtów.',
'numeric' => 'Pole :attribute musi być mniejsze lub równe :value.',
'string' => 'Pole :attribute musi być krótsze lub równe :value znaków.',
),
'mac_address' => 'Pole :attribute musi być prawidłowym adresem MAC.',
'max' =>
array (
'array' => 'Pole :attribute nie może mieć więcej niż :max elementów.',
'file' => 'Pole :attribute nie może być większe niż :max kilobajtów.',
'numeric' => 'Pole :attribute nie może być większe niż :max.',
'string' => 'Pole :attribute nie może być dłuższe niż :max znaków.',
),
'max_digits' => 'Pole :attribute nie może mieć więcej niż :max cyfr.',
'mimes' => 'Pole :attribute musi być plikiem typu :values.',
'mimetypes' => 'Pole :attribute musi być plikiem typu :values.',
'min' =>
array (
'array' => 'Pole :attribute musi mieć przynajmniej :min elementów.',
'file' => 'Pole :attribute musi mieć przynajmniej :min kilobajtów.',
'numeric' => 'Pole :attribute musi być nie mniejsze od :min.',
'string' => 'Pole :attribute musi mieć przynajmniej :min znaków.',
),
'min_digits' => 'Pole :attribute musi mieć co najmniej :min cyfr.',
'multiple_of' => 'Pole :attribute musi być wielokrotnością wartości :value',
'not_in' => 'Zaznaczony :attribute jest nieprawidłowy.',
'not_regex' => 'Format pola :attribute jest nieprawidłowy.',
'numeric' => 'Pole :attribute musi być liczbą.',
'password' =>
array (
'letters' => 'Pole :attribute musi zawierać przynajmniej jedną literę.',
'mixed' => 'Pole :attribute musi zawierać przynajmniej jedną wielką i jedną małą literę.',
'numbers' => 'Pole :attribute musi zawierać przynajmniej jedną liczbę.',
'symbols' => 'Pole :attribute musi zawierać przynajmniej jeden symbol.',
'uncompromised' => 'Podany :attribute pojawił się w wycieku danych. Proszę wybrać inną wartość :attribute.',
),
'present' => 'Pole :attribute musi być obecne.',
'prohibited' => 'Pole :attribute jest zabronione.',
'prohibited_if' => 'Pole :attribute jest zabronione, gdy :other to :value.',
'prohibited_unless' => 'Pole :attribute jest zabronione, chyba że :other jest w :values.',
'prohibits' => 'Pole :attribute zabrania obecności :other.',
'regex' => 'Format pola :attribute jest nieprawidłowy.',
'relatable' => 'Pole :attribute nie może być powiązany z tym zasobem.',
'required' => 'Pole :attribute jest wymagane.',
'required_array_keys' => 'Pole :attribute musi zawierać wartości: :values.',
'required_if' => 'Pole :attribute jest wymagane gdy :other ma wartość :value.',
'required_if_accepted' => 'To pole jest wymagane gdy :other jest zaakceptowane.',
'required_unless' => 'Pole :attribute jest wymagane jeżeli :other nie znajduje się w :values.',
'required_with' => 'Pole :attribute jest wymagane gdy :values jest obecny.',
'required_with_all' => 'Pole :attribute jest wymagane gdy wszystkie :values są obecne.',
'required_without' => 'Pole :attribute jest wymagane gdy :values nie jest obecny.',
'required_without_all' => 'Pole :attribute jest wymagane gdy żadne z :values nie są obecne.',
'same' => 'Pole :attribute i :other muszą być takie same.',
'size' =>
array (
'array' => 'Pole :attribute musi zawierać :size elementów.',
'file' => 'Pole :attribute musi mieć :size kilobajtów.',
'numeric' => 'Pole :attribute musi mieć :size.',
'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 (
return [
'failed' => 'As credenciais indicadas não coincidem com as registadas no sistema.', 'failed' => 'As credenciais indicadas não coincidem com as registadas no sistema.',
'password' => 'A password está errada.', 'password' => 'A password está errada.',
'throttle' => 'O número limite de tentativas de login foi atingido. Por favor tente novamente dentro de :seconds segundos.', '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 [
'0' => 'Unknown Error',
'100' => 'Continue',
'101' => 'Switching Protocols',
'102' => 'Processing',
'200' => 'OK',
'201' => 'Created',
'202' => 'Accepted',
'203' => 'Non-Authoritative Information',
'204' => 'No Content',
'205' => 'Reset Content',
'206' => 'Partial Content',
'207' => 'Multi-Status',
'208' => 'Already Reported',
'226' => 'IM Used',
'300' => 'Multiple Choices',
'301' => 'Moved Permanently',
'302' => 'Found',
'303' => 'See Other',
'304' => 'Not Modified',
'305' => 'Use Proxy',
'307' => 'Temporary Redirect',
'308' => 'Permanent Redirect',
'400' => 'Bad Request',
'401' => 'Unauthorized',
'402' => 'Payment Required',
'403' => 'Forbidden',
'404' => 'Not Found',
'405' => 'Method Not Allowed',
'406' => 'Not Acceptable',
'407' => 'Proxy Authentication Required',
'408' => 'Request Timeout',
'409' => 'Conflict',
'410' => 'Gone',
'411' => 'Length Required',
'412' => 'Precondition Failed',
'413' => 'Payload Too Large',
'414' => 'URI Too Long',
'415' => 'Unsupported Media Type',
'416' => 'Range Not Satisfiable',
'417' => 'Expectation Failed',
'418' => 'I\'m a teapot',
'419' => 'Session Has Expired',
'421' => 'Misdirected Request',
'422' => 'Unprocessable Entity',
'423' => 'Locked',
'424' => 'Failed Dependency',
'425' => 'Too Early',
'426' => 'Upgrade Required',
'428' => 'Precondition Required',
'429' => 'Too Many Requests',
'431' => 'Request Header Fields Too Large',
'444' => 'Connection Closed Without Response',
'449' => 'Retry With',
'451' => 'Unavailable For Legal Reasons',
'499' => 'Client Closed Request',
'500' => 'Internal Server Error',
'501' => 'Not Implemented',
'502' => 'Bad Gateway',
'503' => 'Maintenance Mode',
'504' => 'Gateway Timeout',
'505' => 'HTTP Version Not Supported',
'506' => 'Variant Also Negotiates',
'507' => 'Insufficient Storage',
'508' => 'Loop Detected',
'509' => 'Bandwidth Limit Exceeded',
'510' => 'Not Extended',
'511' => 'Network Authentication Required',
'520' => 'Unknown Error',
'521' => 'Web Server is Down',
'522' => 'Connection Timed Out',
'523' => 'Origin Is Unreachable',
'524' => 'A Timeout Occurred',
'525' => 'SSL Handshake Failed',
'526' => 'Invalid SSL Certificate',
'527' => 'Railgun Error',
'598' => 'Network Read Timeout Error',
'599' => 'Network Connect Timeout Error',
'unknownError' => 'Unknown Error', 'unknownError' => 'Unknown Error',
]; 100 => 'Continue',
101 => 'Switching Protocols',
102 => 'Processing',
200 => 'OK',
201 => 'Created',
202 => 'Accepted',
203 => 'Non-Authoritative Information',
204 => 'No Content',
205 => 'Reset Content',
206 => 'Partial Content',
207 => 'Multi-Status',
208 => 'Already Reported',
226 => 'IM Used',
300 => 'Multiple Choices',
301 => 'Moved Permanently',
302 => 'Found',
303 => 'See Other',
304 => 'Not Modified',
305 => 'Use Proxy',
307 => 'Temporary Redirect',
308 => 'Permanent Redirect',
400 => 'Bad Request',
401 => 'Unauthorized',
402 => 'Payment Required',
403 => 'Forbidden',
404 => 'Not Found',
405 => 'Method Not Allowed',
406 => 'Not Acceptable',
407 => 'Proxy Authentication Required',
408 => 'Request Timeout',
409 => 'Conflict',
410 => 'Gone',
411 => 'Length Required',
412 => 'Precondition Failed',
413 => 'Payload Too Large',
414 => 'URI Too Long',
415 => 'Unsupported Media Type',
416 => 'Range Not Satisfiable',
417 => 'Expectation Failed',
418 => 'I\'m a teapot',
419 => 'Session Has Expired',
421 => 'Misdirected Request',
422 => 'Unprocessable Entity',
423 => 'Locked',
424 => 'Failed Dependency',
425 => 'Too Early',
426 => 'Upgrade Required',
428 => 'Precondition Required',
429 => 'Too Many Requests',
431 => 'Request Header Fields Too Large',
444 => 'Connection Closed Without Response',
449 => 'Retry With',
451 => 'Unavailable For Legal Reasons',
499 => 'Client Closed Request',
500 => 'Internal Server Error',
501 => 'Not Implemented',
502 => 'Bad Gateway',
503 => 'Maintenance Mode',
504 => 'Gateway Timeout',
505 => 'HTTP Version Not Supported',
506 => 'Variant Also Negotiates',
507 => 'Insufficient Storage',
508 => 'Loop Detected',
509 => 'Bandwidth Limit Exceeded',
510 => 'Not Extended',
511 => 'Network Authentication Required',
520 => 'Unknown Error',
521 => 'Web Server is Down',
522 => 'Connection Timed Out',
523 => 'Origin Is Unreachable',
524 => 'A Timeout Occurred',
525 => 'SSL Handshake Failed',
526 => 'Invalid SSL Certificate',
527 => 'Railgun Error',
598 => 'Network Read Timeout Error',
599 => 'Network Connect Timeout Error',
);

View File

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

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
return [
'reset' => 'A palavra-passe foi redefinida!', 'reset' => 'A palavra-passe foi redefinida!',
'sent' => 'O lembrete para a palavra-passe foi enviado!', 'sent' => 'O lembrete para a palavra-passe foi enviado!',
'throttled' => 'Por favor aguarde, antes de tentar novamente.', 'throttled' => 'Por favor aguarde, antes de tentar novamente.',
'token' => 'Este código de recuperação da palavra-passe é inválido.', 'token' => 'Este código de recuperação da palavra-passe é inválido.',
'user' => 'Não existe nenhum utilizador com o e-mail indicado.', '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,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
return [
'accepted' => 'O campo :attribute deverá ser aceite.', 'accepted' => 'O campo :attribute deverá ser aceite.',
'accepted_if' => 'O :attribute deve ser aceite quando o :other é :value.', 'accepted_if' => 'O :attribute deve ser aceite quando o :other é :value.',
'active_url' => 'O campo :attribute não contém um URL válido.', 'active_url' => 'O campo :attribute não contém um URL válido.',
@@ -13,128 +11,8 @@ return [
'alpha_num' => 'O campo :attribute deverá conter apenas letras e números .', 'alpha_num' => 'O campo :attribute deverá conter apenas letras e números .',
'array' => 'O campo :attribute deverá conter uma coleção de elementos.', 'array' => 'O campo :attribute deverá conter uma coleção de elementos.',
'attached' => 'Este :attribute já está anexado.', 'attached' => 'Este :attribute já está anexado.',
'before' => 'O campo :attribute deverá conter uma data anterior a :date.', 'attributes' =>
'before_or_equal' => 'O Campo :attribute deverá conter uma data anterior ou igual a :date.', array (
'between' => [
'array' => 'O campo :attribute deverá conter entre :min - :max elementos.',
'file' => 'O campo :attribute deverá ter um tamanho entre :min - :max kilobytes.',
'numeric' => 'O campo :attribute deverá ter um valor entre :min - :max.',
'string' => 'O campo :attribute deverá conter entre :min - :max caracteres.',
],
'boolean' => 'O campo :attribute deverá conter o valor verdadeiro ou falso.',
'confirmed' => 'A confirmação para o campo :attribute não coincide.',
'current_password' => 'A palavra-passe está incorreta.',
'date' => 'O campo :attribute não contém uma data válida.',
'date_equals' => 'O campo :attribute tem de ser uma data igual a :date.',
'date_format' => 'A data indicada para o campo :attribute não respeita o formato :format.',
'declined' => 'O :attribute deve ser recusado.',
'declined_if' => 'O :attribute deve ser recusado quando :other é :value.',
'different' => 'Os campos :attribute e :other deverão conter valores diferentes.',
'digits' => 'O campo :attribute deverá conter :digits caracteres.',
'digits_between' => 'O campo :attribute deverá conter entre :min a :max caracteres.',
'dimensions' => 'O campo :attribute deverá conter uma dimensão de imagem válida.',
'distinct' => 'O campo :attribute contém um valor duplicado.',
'doesnt_end_with' => 'The :attribute may not end with one of the following: :values.',
'doesnt_start_with' => 'The :attribute may not start with one of the following: :values.',
'email' => 'O campo :attribute não contém um endereço de e-mail válido.',
'ends_with' => 'O campo :attribute deverá terminar com : :values.',
'enum' => 'O :attribute selecionado é inválido.',
'exists' => 'O valor selecionado para o campo :attribute é inválido.',
'file' => 'O campo :attribute deverá conter um ficheiro.',
'filled' => 'É obrigatória a indicação de um valor para o campo :attribute.',
'gt' => [
'array' => 'O campo :attribute tem de ter mais de :value itens.',
'file' => 'O campo :attribute tem de ter mais de :value quilobytes.',
'numeric' => 'O campo :attribute tem de ser maior do que :value.',
'string' => 'O campo :attribute tem de ter mais de :value caracteres.',
],
'gte' => [
'array' => 'O campo :attribute tem de ter :value itens ou mais.',
'file' => 'O campo :attribute tem de ter :value quilobytes ou mais.',
'numeric' => 'O campo :attribute tem de ser maior ou igual a :value.',
'string' => 'O campo :attribute tem de ter :value caracteres ou mais.',
],
'image' => 'O campo :attribute deverá conter uma imagem.',
'in' => 'O campo :attribute não contém um valor válido.',
'in_array' => 'O campo :attribute não existe em :other.',
'integer' => 'O campo :attribute deverá conter um número inteiro.',
'ip' => 'O campo :attribute deverá conter um IP válido.',
'ipv4' => 'O campo :attribute deverá conter um IPv4 válido.',
'ipv6' => 'O campo :attribute deverá conter um IPv6 válido.',
'json' => 'O campo :attribute deverá conter um texto JSON válido.',
'lowercase' => 'The :attribute must be lowercase.',
'lt' => [
'array' => 'O campo :attribute tem de ter menos de :value itens.',
'file' => 'O campo :attribute tem de ter menos de :value quilobytes.',
'numeric' => 'O campo :attribute tem de ser inferior a :value.',
'string' => 'O campo :attribute tem de ter menos de :value caracteres.',
],
'lte' => [
'array' => 'O campo :attribute não pode ter mais de :value itens.',
'file' => 'O campo :attribute tem de ter :value quilobytes ou menos.',
'numeric' => 'O campo :attribute tem de ser inferior ou igual a :value.',
'string' => 'O campo :attribute tem de ter :value caracteres ou menos.',
],
'mac_address' => 'O :attribute deve ser um endereço MAC válido.',
'max' => [
'array' => 'O campo :attribute não deverá conter mais de :max elementos.',
'file' => 'O campo :attribute não deverá ter um tamanho superior a :max kilobytes.',
'numeric' => 'O campo :attribute não deverá conter um valor superior a :max.',
'string' => 'O campo :attribute não deverá conter mais de :max caracteres.',
],
'max_digits' => 'The :attribute must not have more than :max digits.',
'mimes' => 'O campo :attribute deverá conter um ficheiro do tipo: :values.',
'mimetypes' => 'O campo :attribute deverá conter um ficheiro do tipo: :values.',
'min' => [
'array' => 'O campo :attribute deverá conter no mínimo :min elementos.',
'file' => 'O campo :attribute deverá ter no mínimo :min kilobytes.',
'numeric' => 'O campo :attribute deverá ter um valor superior ou igual a :min.',
'string' => 'O campo :attribute deverá conter no mínimo :min caracteres.',
],
'min_digits' => 'The :attribute must have at least :min digits.',
'multiple_of' => 'O :attribute deve ser um múltiplo de :value',
'not_in' => 'O campo :attribute contém um valor inválido.',
'not_regex' => 'O formato de :attribute não é válido',
'numeric' => 'O campo :attribute deverá conter um valor numérico.',
'password' => [
'letters' => 'The :attribute must contain at least one letter.',
'mixed' => 'The :attribute must contain at least one uppercase and one lowercase letter.',
'numbers' => 'The :attribute must contain at least one number.',
'symbols' => 'The :attribute must contain at least one symbol.',
'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.',
],
'present' => 'O campo :attribute deverá estar presente.',
'prohibited' => 'O campo :attribute é proibido.',
'prohibited_if' => 'O campo :attribute é proibido quando :other é :value.',
'prohibited_unless' => 'O campo :attribute é proibido a menos que :other esteja em :values.',
'prohibits' => 'O campo :attribute proíbe :other de estar presente.',
'regex' => 'O formato do valor para o campo :attribute é inválido.',
'relatable' => 'Este :attribute pode não estar associado a este recurso.',
'required' => 'É obrigatória a indicação de um valor para o campo :attribute.',
'required_array_keys' => 'O campo :attribute deve conter entradas para: :values.',
'required_if' => 'É obrigatória a indicação de um valor para o campo :attribute quando o valor do campo :other é igual a :value.',
'required_if_accepted' => 'The :attribute field is required when :other is accepted.',
'required_unless' => 'É obrigatória a indicação de um valor para o campo :attribute a menos que :other esteja presente em :values.',
'required_with' => 'É obrigatória a indicação de um valor para o campo :attribute quando :values está presente.',
'required_with_all' => 'É obrigatória a indicação de um valor para o campo :attribute quando um dos :values está presente.',
'required_without' => 'É obrigatória a indicação de um valor para o campo :attribute quando :values não está presente.',
'required_without_all' => 'É obrigatória a indicação de um valor para o campo :attribute quando nenhum dos :values está presente.',
'same' => 'Os campos :attribute e :other deverão conter valores iguais.',
'size' => [
'array' => 'O campo :attribute deverá conter :size elementos.',
'file' => 'O campo :attribute deverá ter o tamanho de :size kilobytes.',
'numeric' => 'O campo :attribute deverá conter o valor :size.',
'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.',
'attributes' => [
'address' => 'address', 'address' => 'address',
'age' => 'age', 'age' => 'age',
'amount' => 'amount', 'amount' => 'amount',
@@ -206,5 +84,135 @@ return [
'updated_at' => 'updated at', 'updated_at' => 'updated at',
'username' => 'username', 'username' => 'username',
'year' => 'year', 'year' => 'year',
], ),
]; 'before' => 'O campo :attribute deverá conter uma data anterior a :date.',
'before_or_equal' => 'O Campo :attribute deverá conter uma data anterior ou igual a :date.',
'between' =>
array (
'array' => 'O campo :attribute deverá conter entre :min - :max elementos.',
'file' => 'O campo :attribute deverá ter um tamanho entre :min - :max kilobytes.',
'numeric' => 'O campo :attribute deverá ter um valor entre :min - :max.',
'string' => 'O campo :attribute deverá conter entre :min - :max caracteres.',
),
'boolean' => 'O campo :attribute deverá conter o valor verdadeiro ou falso.',
'confirmed' => 'A confirmação para o campo :attribute não coincide.',
'current_password' => 'A palavra-passe está incorreta.',
'date' => 'O campo :attribute não contém uma data válida.',
'date_equals' => 'O campo :attribute tem de ser uma data igual a :date.',
'date_format' => 'A data indicada para o campo :attribute não respeita o formato :format.',
'declined' => 'O :attribute deve ser recusado.',
'declined_if' => 'O :attribute deve ser recusado quando :other é :value.',
'different' => 'Os campos :attribute e :other deverão conter valores diferentes.',
'digits' => 'O campo :attribute deverá conter :digits caracteres.',
'digits_between' => 'O campo :attribute deverá conter entre :min a :max caracteres.',
'dimensions' => 'O campo :attribute deverá conter uma dimensão de imagem válida.',
'distinct' => 'O campo :attribute contém um valor duplicado.',
'doesnt_end_with' => 'The :attribute may not end with one of the following: :values.',
'doesnt_start_with' => 'The :attribute may not start with one of the following: :values.',
'email' => 'O campo :attribute não contém um endereço de e-mail válido.',
'ends_with' => 'O campo :attribute deverá terminar com : :values.',
'enum' => 'O :attribute selecionado é inválido.',
'exists' => 'O valor selecionado para o campo :attribute é inválido.',
'file' => 'O campo :attribute deverá conter um ficheiro.',
'filled' => 'É obrigatória a indicação de um valor para o campo :attribute.',
'gt' =>
array (
'array' => 'O campo :attribute tem de ter mais de :value itens.',
'file' => 'O campo :attribute tem de ter mais de :value quilobytes.',
'numeric' => 'O campo :attribute tem de ser maior do que :value.',
'string' => 'O campo :attribute tem de ter mais de :value caracteres.',
),
'gte' =>
array (
'array' => 'O campo :attribute tem de ter :value itens ou mais.',
'file' => 'O campo :attribute tem de ter :value quilobytes ou mais.',
'numeric' => 'O campo :attribute tem de ser maior ou igual a :value.',
'string' => 'O campo :attribute tem de ter :value caracteres ou mais.',
),
'image' => 'O campo :attribute deverá conter uma imagem.',
'in' => 'O campo :attribute não contém um valor válido.',
'in_array' => 'O campo :attribute não existe em :other.',
'integer' => 'O campo :attribute deverá conter um número inteiro.',
'ip' => 'O campo :attribute deverá conter um IP válido.',
'ipv4' => 'O campo :attribute deverá conter um IPv4 válido.',
'ipv6' => 'O campo :attribute deverá conter um IPv6 válido.',
'json' => 'O campo :attribute deverá conter um texto JSON válido.',
'lowercase' => 'The :attribute must be lowercase.',
'lt' =>
array (
'array' => 'O campo :attribute tem de ter menos de :value itens.',
'file' => 'O campo :attribute tem de ter menos de :value quilobytes.',
'numeric' => 'O campo :attribute tem de ser inferior a :value.',
'string' => 'O campo :attribute tem de ter menos de :value caracteres.',
),
'lte' =>
array (
'array' => 'O campo :attribute não pode ter mais de :value itens.',
'file' => 'O campo :attribute tem de ter :value quilobytes ou menos.',
'numeric' => 'O campo :attribute tem de ser inferior ou igual a :value.',
'string' => 'O campo :attribute tem de ter :value caracteres ou menos.',
),
'mac_address' => 'O :attribute deve ser um endereço MAC válido.',
'max' =>
array (
'array' => 'O campo :attribute não deverá conter mais de :max elementos.',
'file' => 'O campo :attribute não deverá ter um tamanho superior a :max kilobytes.',
'numeric' => 'O campo :attribute não deverá conter um valor superior a :max.',
'string' => 'O campo :attribute não deverá conter mais de :max caracteres.',
),
'max_digits' => 'The :attribute must not have more than :max digits.',
'mimes' => 'O campo :attribute deverá conter um ficheiro do tipo: :values.',
'mimetypes' => 'O campo :attribute deverá conter um ficheiro do tipo: :values.',
'min' =>
array (
'array' => 'O campo :attribute deverá conter no mínimo :min elementos.',
'file' => 'O campo :attribute deverá ter no mínimo :min kilobytes.',
'numeric' => 'O campo :attribute deverá ter um valor superior ou igual a :min.',
'string' => 'O campo :attribute deverá conter no mínimo :min caracteres.',
),
'min_digits' => 'The :attribute must have at least :min digits.',
'multiple_of' => 'O :attribute deve ser um múltiplo de :value',
'not_in' => 'O campo :attribute contém um valor inválido.',
'not_regex' => 'O formato de :attribute não é válido',
'numeric' => 'O campo :attribute deverá conter um valor numérico.',
'password' =>
array (
'letters' => 'The :attribute must contain at least one letter.',
'mixed' => 'The :attribute must contain at least one uppercase and one lowercase letter.',
'numbers' => 'The :attribute must contain at least one number.',
'symbols' => 'The :attribute must contain at least one symbol.',
'uncompromised' => 'The given :attribute has appeared in a data leak. Please choose a different :attribute.',
),
'present' => 'O campo :attribute deverá estar presente.',
'prohibited' => 'O campo :attribute é proibido.',
'prohibited_if' => 'O campo :attribute é proibido quando :other é :value.',
'prohibited_unless' => 'O campo :attribute é proibido a menos que :other esteja em :values.',
'prohibits' => 'O campo :attribute proíbe :other de estar presente.',
'regex' => 'O formato do valor para o campo :attribute é inválido.',
'relatable' => 'Este :attribute pode não estar associado a este recurso.',
'required' => 'É obrigatória a indicação de um valor para o campo :attribute.',
'required_array_keys' => 'O campo :attribute deve conter entradas para: :values.',
'required_if' => 'É obrigatória a indicação de um valor para o campo :attribute quando o valor do campo :other é igual a :value.',
'required_if_accepted' => 'The :attribute field is required when :other is accepted.',
'required_unless' => 'É obrigatória a indicação de um valor para o campo :attribute a menos que :other esteja presente em :values.',
'required_with' => 'É obrigatória a indicação de um valor para o campo :attribute quando :values está presente.',
'required_with_all' => 'É obrigatória a indicação de um valor para o campo :attribute quando um dos :values está presente.',
'required_without' => 'É obrigatória a indicação de um valor para o campo :attribute quando :values não está presente.',
'required_without_all' => 'É obrigatória a indicação de um valor para o campo :attribute quando nenhum dos :values está presente.',
'same' => 'Os campos :attribute e :other deverão conter valores iguais.',
'size' =>
array (
'array' => 'O campo :attribute deverá conter :size elementos.',
'file' => 'O campo :attribute deverá ter o tamanho de :size kilobytes.',
'numeric' => 'O campo :attribute deverá conter o valor :size.',
'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 (
return [
'failed' => 'Bu kimlik bilgileri kayıtlarımızla eşleşmiyor.', 'failed' => 'Bu kimlik bilgileri kayıtlarımızla eşleşmiyor.',
'password' => 'Parola geçersiz.', 'password' => 'Parola geçersiz.',
'throttle' => 'Çok fazla giriş denemesi. :seconds saniye sonra lütfen tekrar deneyin.', '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 [
'0' => 'Bilinmeyen Hata',
'100' => 'Devam Et',
'101' => 'Protokoller Değiştiriliyor',
'102' => 'İşleniyor',
'200' => 'Tamam',
'201' => 'Oluşturuldu',
'202' => 'Kabul Edilmiş',
'203' => 'Yetkili Olmayan Bilgiler',
'204' => 'İçerik Yok',
'205' => 'İçeriği Sıfırla',
'206' => 'Kısmi İçerik',
'207' => 'Çoklu Durum',
'208' => 'Zaten Bildirildi',
'226' => 'IM Kullanıldı',
'300' => 'Çoklu Seçimler',
'301' => 'Kalıcı Olarak Taşındı',
'302' => 'Bulundu',
'303' => 'Diğerlerini Gör',
'304' => 'Değiştirilmedi',
'305' => 'Proxy Kullan',
'307' => 'Geçici Yönlendirme',
'308' => 'Kalıcı Yönlendirme',
'400' => 'Geçersiz istek',
'401' => 'Yetkisiz',
'402' => 'Ödeme gerekli',
'403' => 'Yasaklı',
'404' => 'Sayfa bulunamadı',
'405' => 'İzin Verilmeyen Yöntem',
'406' => 'Kabul Edilemez',
'407' => 'Proxy Kimlik Doğrulaması Gerekli',
'408' => 'İstek zaman aşımına uğradı',
'409' => 'Çakışma',
'410' => 'Gitmiş',
'411' => 'Uzunluk Gerekli',
'412' => 'Ön Koşul Başarısız',
'413' => 'Veri Çok Büyük',
'414' => 'URI Çok Uzun',
'415' => 'Desteklenmeyen Medya Türü',
'416' => 'Aralık Yetersiz',
'417' => 'Beklenti Başarısız',
'418' => 'Ben bir demliğim',
'419' => 'Oturum süresi doldu',
'421' => 'Yanlış Yönlendirilmiş İstek',
'422' => 'İşlenemeyen Varlık',
'423' => 'Kilitli',
'424' => 'Başarısız Bağımlılık',
'425' => 'Çok erken',
'426' => 'Yükseltme Gerekli',
'428' => 'Ön Koşul Gerekli',
'429' => 'Çok Fazla İstek',
'431' => 'İstek Başlık Alanları Çok Büyük',
'444' => 'Bağlantı Yanıtsız Kapatıldı',
'449' => 'İle Yeniden Dene',
'451' => 'Yasal Sebepler Nedeniyle Kullanılamıyor',
'499' => 'İstemci Kapandı İsteği',
'500' => 'İç Sunucu Hatası',
'501' => 'Uygulanmadı',
'502' => 'Geçersiz Ağ Geçidi',
'503' => 'Bakım Modu',
'504' => 'Ağ Geçidi Zaman Aşımı',
'505' => 'HTTP Sürümü Desteklenmiyor',
'506' => 'Varyant Ayrıca Müzakere Ediyor',
'507' => 'Yetersiz depolama',
'508' => 'Döngü Tespit Edildi',
'509' => 'Bant Genişliği Sınırııldı',
'510' => 'Genişletilmemiş',
'511' => 'Ağ Kimlik Doğrulaması Gerekli',
'520' => 'Bilinmeyen Hata',
'521' => 'Web Sunucusu Çalışmıyor',
'522' => 'Bağlantı Zaman Aşımına Uğradı',
'523' => 'Kökeni Ulaşılamaz',
'524' => 'Bir Zaman Aşımı Oluştu',
'525' => 'SSL El Sıkışma Başarısız',
'526' => 'Geçersiz SSL Sertifikası',
'527' => 'Railgun Hatası',
'598' => 'Ağ Okuma Zaman Aşımı Hatası',
'599' => 'Ağ Bağlantısı Zaman Aşımı Hatası',
'unknownError' => 'Bilinmeyen Hata', 'unknownError' => 'Bilinmeyen Hata',
]; 100 => 'Devam Et',
101 => 'Protokoller Değiştiriliyor',
102 => 'İşleniyor',
200 => 'Tamam',
201 => 'Oluşturuldu',
202 => 'Kabul Edilmiş',
203 => 'Yetkili Olmayan Bilgiler',
204 => 'İçerik Yok',
205 => 'İçeriği Sıfırla',
206 => 'Kısmi İçerik',
207 => 'Çoklu Durum',
208 => 'Zaten Bildirildi',
226 => 'IM Kullanıldı',
300 => 'Çoklu Seçimler',
301 => 'Kalıcı Olarak Taşındı',
302 => 'Bulundu',
303 => 'Diğerlerini Gör',
304 => 'Değiştirilmedi',
305 => 'Proxy Kullan',
307 => 'Geçici Yönlendirme',
308 => 'Kalıcı Yönlendirme',
400 => 'Geçersiz istek',
401 => 'Yetkisiz',
402 => 'Ödeme gerekli',
403 => 'Yasaklı',
404 => 'Sayfa bulunamadı',
405 => 'İzin Verilmeyen Yöntem',
406 => 'Kabul Edilemez',
407 => 'Proxy Kimlik Doğrulaması Gerekli',
408 => 'İstek zaman aşımına uğradı',
409 => 'Çakışma',
410 => 'Gitmiş',
411 => 'Uzunluk Gerekli',
412 => 'Ön Koşul Başarısız',
413 => 'Veri Çok Büyük',
414 => 'URI Çok Uzun',
415 => 'Desteklenmeyen Medya Türü',
416 => 'Aralık Yetersiz',
417 => 'Beklenti Başarısız',
418 => 'Ben bir demliğim',
419 => 'Oturum süresi doldu',
421 => 'Yanlış Yönlendirilmiş İstek',
422 => 'İşlenemeyen Varlık',
423 => 'Kilitli',
424 => 'Başarısız Bağımlılık',
425 => 'Çok erken',
426 => 'Yükseltme Gerekli',
428 => 'Ön Koşul Gerekli',
429 => 'Çok Fazla İstek',
431 => 'İstek Başlık Alanları Çok Büyük',
444 => 'Bağlantı Yanıtsız Kapatıldı',
449 => 'İle Yeniden Dene',
451 => 'Yasal Sebepler Nedeniyle Kullanılamıyor',
499 => 'İstemci Kapandı İsteği',
500 => 'İç Sunucu Hatası',
501 => 'Uygulanmadı',
502 => 'Geçersiz Ağ Geçidi',
503 => 'Bakım Modu',
504 => 'Ağ Geçidi Zaman Aşımı',
505 => 'HTTP Sürümü Desteklenmiyor',
506 => 'Varyant Ayrıca Müzakere Ediyor',
507 => 'Yetersiz depolama',
508 => 'Döngü Tespit Edildi',
509 => 'Bant Genişliği Sınırııldı',
510 => 'Genişletilmemiş',
511 => 'Ağ Kimlik Doğrulaması Gerekli',
520 => 'Bilinmeyen Hata',
521 => 'Web Sunucusu Çalışmıyor',
522 => 'Bağlantı Zaman Aşımına Uğradı',
523 => 'Kökeni Ulaşılamaz',
524 => 'Bir Zaman Aşımı Oluştu',
525 => 'SSL El Sıkışma Başarısız',
526 => 'Geçersiz SSL Sertifikası',
527 => 'Railgun Hatası',
598 => 'Ağ Okuma Zaman Aşımı Hatası',
599 => 'Ağ Bağlantısı Zaman Aşımı Hatası',
);

View File

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

View File

@@ -1,11 +1,9 @@
<?php <?php
declare(strict_types=1); return array (
return [
'reset' => 'Parolanız sıfırlandı!', 'reset' => 'Parolanız sıfırlandı!',
'sent' => 'Parola sıfırlama bağlantınız e-posta ile gönderildi!', 'sent' => 'Parola sıfırlama bağlantınız e-posta ile gönderildi!',
'throttled' => 'Tekrar denemeden önce lütfen bekleyin.', 'throttled' => 'Tekrar denemeden önce lütfen bekleyin.',
'token' => 'Parola sıfırlama kodu geçersiz.', 'token' => 'Parola sıfırlama kodu geçersiz.',
'user' => 'Bu e-posta adresi ile kayıtlı bir üye bulunamadı.', '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,8 +1,6 @@
<?php <?php
declare(strict_types=1); return array (
return [
'accepted' => ':Attribute kabul edilmelidir.', 'accepted' => ':Attribute kabul edilmelidir.',
'accepted_if' => ':Attribute, :other değeri :value ise kabul edilmelidir.', 'accepted_if' => ':Attribute, :other değeri :value ise kabul edilmelidir.',
'active_url' => ':Attribute geçerli bir URL olmalıdır.', 'active_url' => ':Attribute geçerli bir URL olmalıdır.',
@@ -13,128 +11,8 @@ return [
'alpha_num' => ':Attribute sadece harflerden ve rakamlardan oluşmalıdır.', 'alpha_num' => ':Attribute sadece harflerden ve rakamlardan oluşmalıdır.',
'array' => ':Attribute mutlaka bir dizi olmalıdır.', 'array' => ':Attribute mutlaka bir dizi olmalıdır.',
'attached' => 'Bu :attribute zaten tanımlı.', 'attached' => 'Bu :attribute zaten tanımlı.',
'before' => ':Attribute mutlaka :date tarihinden önce olmalıdır.', 'attributes' =>
'before_or_equal' => ':Attribute mutlaka :date tarihinden önce veya aynı tarihte olmalıdır.', array (
'between' => [
'array' => ':Attribute mutlaka :min - :max arasında öge içermelidir.',
'file' => ':Attribute mutlaka :min - :max kilobayt arasında olmalıdır.',
'numeric' => ':Attribute mutlaka :min - :max arasında olmalıdır.',
'string' => ':Attribute mutlaka :min - :max karakter arasında olmalıdır.',
],
'boolean' => ':Attribute sadece doğru veya yanlış olmalıdır.',
'confirmed' => ':Attribute tekrarı eşleşmiyor.',
'current_password' => 'Parola hatalı.',
'date' => ':Attribute geçerli bir tarih değil.',
'date_equals' => ':Attribute mutlaka :date ile aynı tarihte olmalıdır.',
'date_format' => ':Attribute mutlaka :format biçiminde olmalıdır.',
'declined' => ':Attribute kabul edilmemektedir.',
'declined_if' => ':Attribute, :other değeri :value iken kabul edilmemektedir.',
'different' => ':Attribute ile :other mutlaka birbirinden farklı olmalıdır.',
'digits' => ':Attribute mutlaka :digits basamaklı olmalıdır.',
'digits_between' => ':Attribute mutlaka en az :min, en fazla :max basamaklı olmalıdır.',
'dimensions' => ':Attribute geçersiz resim boyutlarına sahip.',
'distinct' => ':Attribute alanı yinelenen bir değere sahip.',
'doesnt_end_with' => ':Attribute aşağıdakilerden biriyle bitemez: :values.',
'doesnt_start_with' => ':Attribute aşağıdakilerden biriyle başlamayabilir: :values.',
'email' => ':Attribute mutlaka geçerli bir e-posta adresi olmalıdır.',
'ends_with' => ':Attribute sadece şu değerlerden biriyle bitebilir: :values.',
'enum' => 'Seçilen :attribute değeri geçersiz.',
'exists' => 'Seçili :attribute geçersiz.',
'file' => ':Attribute mutlaka bir dosya olmalıdır.',
'filled' => ':Attribute mutlaka doldurulmalıdır.',
'gt' => [
'array' => ':Attribute mutlaka :value sayısından daha fazla öge içermelidir.',
'file' => ':Attribute mutlaka :value kilobayt\'tan büyük olmalıdır.',
'numeric' => ':Attribute mutlaka :value sayısından büyük olmalıdır.',
'string' => ':Attribute mutlaka :value karakterden uzun olmalıdır.',
],
'gte' => [
'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.',
'numeric' => ':Attribute mutlaka :value sayısından büyük veya eşit olmalıdır.',
'string' => ':Attribute mutlaka :value karakterden uzun veya eşit olmalıdır.',
],
'image' => ':Attribute mutlaka bir resim olmalıdır.',
'in' => 'Seçili :attribute geçersiz.',
'in_array' => ':Attribute :other içinde mevcut değil.',
'integer' => ':Attribute mutlaka bir tam sayı olmalıdır.',
'ip' => ':Attribute mutlaka geçerli bir IP adresi olmalıdır.',
'ipv4' => ':Attribute mutlaka geçerli bir IPv4 adresi olmalıdır.',
'ipv6' => ':Attribute mutlaka geçerli bir IPv6 adresi olmalıdır.',
'json' => ':Attribute mutlaka geçerli bir JSON içeriği olmalıdır.',
'lowercase' => 'The :attribute must be lowercase.',
'lt' => [
'array' => ':Attribute mutlaka :value sayısından daha az öge içermelidir.',
'file' => ':Attribute mutlaka :value kilobayt\'tan küçük olmalıdır.',
'numeric' => ':Attribute mutlaka :value sayısından küçük olmalıdır.',
'string' => ':Attribute mutlaka :value karakterden kısa olmalıdır.',
],
'lte' => [
'array' => ':Attribute mutlaka :value veya daha az öge içermelidir.',
'file' => ':Attribute mutlaka :value kilobayt\'tan küçük veya eşit olmalıdır.',
'numeric' => ':Attribute mutlaka :value sayısından küçük veya eşit olmalıdır.',
'string' => ':Attribute mutlaka :value karakterden kısa veya eşit olmalıdır.',
],
'mac_address' => ':Attribute geçerli bir MAC adresi olmalıdır.',
'max' => [
'array' => ':Attribute en fazla :max öge içerebilir.',
'file' => ':Attribute en fazla :max kilobayt olabilir.',
'numeric' => ':Attribute en fazla :max olabilir.',
'string' => ':Attribute en fazla :max karakter olabilir.',
],
'max_digits' => ':Attribute en fazla :max basamak içermelidir.',
'mimes' => ':Attribute mutlaka :values biçiminde bir dosya olmalıdır.',
'mimetypes' => ':Attribute mutlaka :values biçiminde bir dosya olmalıdır.',
'min' => [
'array' => ':Attribute en az :min öge içerebilir.',
'file' => ':Attribute en az :min kilobayt olabilir.',
'numeric' => ':Attribute en az :min olabilir.',
'string' => ':Attribute en az :min karakter olabilir.',
],
'min_digits' => ':Attribute en az :min basamak içermelidir.',
'multiple_of' => ':Attribute, :value\'nin katları olmalıdır',
'not_in' => 'Seçili :attribute geçersiz.',
'not_regex' => ':Attribute biçimi geçersiz.',
'numeric' => ':Attribute mutlaka bir sayı olmalıdır.',
'password' => [
'letters' => ':Attribute en az bir harf içermelidir.',
'mixed' => ':Attribute en az bir büyük harf ve bir küçük harf içermelidir.',
'numbers' => ':Attribute en az bir sayı içermelidir.',
'symbols' => ':Attribute en az bir sembol içermelidir.',
'uncompromised' => 'Verilen :attribute bir veri sızıntısında ortaya çıktı. Lütfen farklı bir :attribute seçin.',
],
'present' => ':Attribute mutlaka mevcut olmalıdır.',
'prohibited' => ':Attribute alanı kısıtlanmıştır.',
'prohibited_if' => ':Other alanının değeri :value ise :attribute alanına veri girişi yapılamaz.',
'prohibited_unless' => ':Other alanı :value değerlerinden birisi değilse :attribute alanına veri girişi yapılamaz.',
'prohibits' => ':Attribute alanı :other alanının mevcut olmasını yasaklar.',
'regex' => ':Attribute biçimi geçersiz.',
'relatable' => 'Bu :attribute bu kaynakla ilişkili olmayabilir.',
'required' => ':Attribute mutlaka gereklidir.',
'required_array_keys' => ':Attribute değeri şu verileri içermelidir: :values.',
'required_if' => ':Attribute :other :value değerine sahip olduğunda mutlaka gereklidir.',
'required_if_accepted' => ':Attribute alanı, :other kabul edildiğinde gereklidir.',
'required_unless' => ':Attribute :other :values değerlerinden birine sahip olmadığında mutlaka gereklidir.',
'required_with' => ':Attribute :values varken mutlaka gereklidir.',
'required_with_all' => ':Attribute herhangi bir :values değeri varken mutlaka gereklidir.',
'required_without' => ':Attribute :values yokken mutlaka gereklidir.',
'required_without_all' => ':Attribute :values değerlerinden herhangi biri yokken mutlaka gereklidir.',
'same' => ':Attribute ile :other aynı olmalıdır.',
'size' => [
'array' => ':Attribute mutlaka :size ögeye sahip olmalıdır.',
'file' => ':Attribute mutlaka :size kilobayt olmalıdır.',
'numeric' => ':Attribute mutlaka :size olmalıdır.',
'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.',
'attributes' => [
'address' => 'adres', 'address' => 'adres',
'age' => 'yaş', 'age' => 'yaş',
'amount' => 'tutar', 'amount' => 'tutar',
@@ -206,5 +84,135 @@ return [
'updated_at' => 'güncellendi', 'updated_at' => 'güncellendi',
'username' => 'kullanıcı adı', 'username' => 'kullanıcı adı',
'year' => 'yıl', 'year' => 'yıl',
], ),
]; 'before' => ':Attribute mutlaka :date tarihinden önce olmalıdır.',
'before_or_equal' => ':Attribute mutlaka :date tarihinden önce veya aynı tarihte olmalıdır.',
'between' =>
array (
'array' => ':Attribute mutlaka :min - :max arasında öge içermelidir.',
'file' => ':Attribute mutlaka :min - :max kilobayt arasında olmalıdır.',
'numeric' => ':Attribute mutlaka :min - :max arasında olmalıdır.',
'string' => ':Attribute mutlaka :min - :max karakter arasında olmalıdır.',
),
'boolean' => ':Attribute sadece doğru veya yanlış olmalıdır.',
'confirmed' => ':Attribute tekrarı eşleşmiyor.',
'current_password' => 'Parola hatalı.',
'date' => ':Attribute geçerli bir tarih değil.',
'date_equals' => ':Attribute mutlaka :date ile aynı tarihte olmalıdır.',
'date_format' => ':Attribute mutlaka :format biçiminde olmalıdır.',
'declined' => ':Attribute kabul edilmemektedir.',
'declined_if' => ':Attribute, :other değeri :value iken kabul edilmemektedir.',
'different' => ':Attribute ile :other mutlaka birbirinden farklı olmalıdır.',
'digits' => ':Attribute mutlaka :digits basamaklı olmalıdır.',
'digits_between' => ':Attribute mutlaka en az :min, en fazla :max basamaklı olmalıdır.',
'dimensions' => ':Attribute geçersiz resim boyutlarına sahip.',
'distinct' => ':Attribute alanı yinelenen bir değere sahip.',
'doesnt_end_with' => ':Attribute aşağıdakilerden biriyle bitemez: :values.',
'doesnt_start_with' => ':Attribute aşağıdakilerden biriyle başlamayabilir: :values.',
'email' => ':Attribute mutlaka geçerli bir e-posta adresi olmalıdır.',
'ends_with' => ':Attribute sadece şu değerlerden biriyle bitebilir: :values.',
'enum' => 'Seçilen :attribute değeri geçersiz.',
'exists' => 'Seçili :attribute geçersiz.',
'file' => ':Attribute mutlaka bir dosya olmalıdır.',
'filled' => ':Attribute mutlaka doldurulmalıdır.',
'gt' =>
array (
'array' => ':Attribute mutlaka :value sayısından daha fazla öge içermelidir.',
'file' => ':Attribute mutlaka :value kilobayt\'tan büyük olmalıdır.',
'numeric' => ':Attribute mutlaka :value sayısından büyük olmalıdır.',
'string' => ':Attribute mutlaka :value karakterden uzun olmalıdır.',
),
'gte' =>
array (
'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.',
'numeric' => ':Attribute mutlaka :value sayısından büyük veya eşit olmalıdır.',
'string' => ':Attribute mutlaka :value karakterden uzun veya eşit olmalıdır.',
),
'image' => ':Attribute mutlaka bir resim olmalıdır.',
'in' => 'Seçili :attribute geçersiz.',
'in_array' => ':Attribute :other içinde mevcut değil.',
'integer' => ':Attribute mutlaka bir tam sayı olmalıdır.',
'ip' => ':Attribute mutlaka geçerli bir IP adresi olmalıdır.',
'ipv4' => ':Attribute mutlaka geçerli bir IPv4 adresi olmalıdır.',
'ipv6' => ':Attribute mutlaka geçerli bir IPv6 adresi olmalıdır.',
'json' => ':Attribute mutlaka geçerli bir JSON içeriği olmalıdır.',
'lowercase' => 'The :attribute must be lowercase.',
'lt' =>
array (
'array' => ':Attribute mutlaka :value sayısından daha az öge içermelidir.',
'file' => ':Attribute mutlaka :value kilobayt\'tan küçük olmalıdır.',
'numeric' => ':Attribute mutlaka :value sayısından küçük olmalıdır.',
'string' => ':Attribute mutlaka :value karakterden kısa olmalıdır.',
),
'lte' =>
array (
'array' => ':Attribute mutlaka :value veya daha az öge içermelidir.',
'file' => ':Attribute mutlaka :value kilobayt\'tan küçük veya eşit olmalıdır.',
'numeric' => ':Attribute mutlaka :value sayısından küçük veya eşit olmalıdır.',
'string' => ':Attribute mutlaka :value karakterden kısa veya eşit olmalıdır.',
),
'mac_address' => ':Attribute geçerli bir MAC adresi olmalıdır.',
'max' =>
array (
'array' => ':Attribute en fazla :max öge içerebilir.',
'file' => ':Attribute en fazla :max kilobayt olabilir.',
'numeric' => ':Attribute en fazla :max olabilir.',
'string' => ':Attribute en fazla :max karakter olabilir.',
),
'max_digits' => ':Attribute en fazla :max basamak içermelidir.',
'mimes' => ':Attribute mutlaka :values biçiminde bir dosya olmalıdır.',
'mimetypes' => ':Attribute mutlaka :values biçiminde bir dosya olmalıdır.',
'min' =>
array (
'array' => ':Attribute en az :min öge içerebilir.',
'file' => ':Attribute en az :min kilobayt olabilir.',
'numeric' => ':Attribute en az :min olabilir.',
'string' => ':Attribute en az :min karakter olabilir.',
),
'min_digits' => ':Attribute en az :min basamak içermelidir.',
'multiple_of' => ':Attribute, :value\'nin katları olmalıdır',
'not_in' => 'Seçili :attribute geçersiz.',
'not_regex' => ':Attribute biçimi geçersiz.',
'numeric' => ':Attribute mutlaka bir sayı olmalıdır.',
'password' =>
array (
'letters' => ':Attribute en az bir harf içermelidir.',
'mixed' => ':Attribute en az bir büyük harf ve bir küçük harf içermelidir.',
'numbers' => ':Attribute en az bir sayı içermelidir.',
'symbols' => ':Attribute en az bir sembol içermelidir.',
'uncompromised' => 'Verilen :attribute bir veri sızıntısında ortaya çıktı. Lütfen farklı bir :attribute seçin.',
),
'present' => ':Attribute mutlaka mevcut olmalıdır.',
'prohibited' => ':Attribute alanı kısıtlanmıştır.',
'prohibited_if' => ':Other alanının değeri :value ise :attribute alanına veri girişi yapılamaz.',
'prohibited_unless' => ':Other alanı :value değerlerinden birisi değilse :attribute alanına veri girişi yapılamaz.',
'prohibits' => ':Attribute alanı :other alanının mevcut olmasını yasaklar.',
'regex' => ':Attribute biçimi geçersiz.',
'relatable' => 'Bu :attribute bu kaynakla ilişkili olmayabilir.',
'required' => ':Attribute mutlaka gereklidir.',
'required_array_keys' => ':Attribute değeri şu verileri içermelidir: :values.',
'required_if' => ':Attribute :other :value değerine sahip olduğunda mutlaka gereklidir.',
'required_if_accepted' => ':Attribute alanı, :other kabul edildiğinde gereklidir.',
'required_unless' => ':Attribute :other :values değerlerinden birine sahip olmadığında mutlaka gereklidir.',
'required_with' => ':Attribute :values varken mutlaka gereklidir.',
'required_with_all' => ':Attribute herhangi bir :values değeri varken mutlaka gereklidir.',
'required_without' => ':Attribute :values yokken mutlaka gereklidir.',
'required_without_all' => ':Attribute :values değerlerinden herhangi biri yokken mutlaka gereklidir.',
'same' => ':Attribute ile :other aynı olmalıdır.',
'size' =>
array (
'array' => ':Attribute mutlaka :size ögeye sahip olmalıdır.',
'file' => ':Attribute mutlaka :size kilobayt olmalıdır.',
'numeric' => ':Attribute mutlaka :size olmalıdır.',
'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