diff --git a/app/Console/Commands/DeeplTranslator.php b/app/Console/Commands/DeeplTranslator.php
new file mode 100644
index 0000000000..24d8663ecb
--- /dev/null
+++ b/app/Console/Commands/DeeplTranslator.php
@@ -0,0 +1,474 @@
+argument('action');
+ $apiKey = $this->option('api-key');
+ $useFreeApi = $this->option('free');
+
+ try {
+ // Initialize DeepL translator
+ $this->deeplTranslator = new DeeplApiTranslator($apiKey, $useFreeApi, $this);
+
+ switch ($action) {
+ case 'translate':
+ return $this->handleTranslate();
+
+ case 'languages':
+ return $this->handleLanguages();
+
+ case 'usage':
+ return $this->handleUsage();
+
+ case 'test':
+ return $this->handleTest();
+
+ default:
+ $this->error("Unknown action: {$action}");
+ $this->error("Available actions: translate, languages, usage, test");
+ return 1;
+ }
+ } catch (Exception $e) {
+ $this->error("Error: " . $e->getMessage());
+ return 1;
+ }
+ }
+
+ private function handleTranslate(): int
+ {
+ $inputFile = $this->option('input-file');
+ $outputFile = $this->option('output-file');
+ $targetLanguage = $this->option('target-lang');
+ $sourceLanguage = $this->option('source-lang');
+
+ // Validate required options
+ if (!$inputFile || !$outputFile || !$targetLanguage) {
+ $this->error("--input-file, --output-file, and --target-lang options are required for translate action");
+ return 1;
+ }
+
+ if (!file_exists($inputFile)) {
+ $this->error("Input file not found: {$inputFile}");
+ return 1;
+ }
+
+ try {
+ // Load input data
+ $exportData = json_decode(file_get_contents($inputFile), true);
+ if (!$exportData) {
+ $this->error("Invalid JSON in input file");
+ return 1;
+ }
+
+ // Extract texts to translate
+ $textsToTranslate = [];
+ foreach ($exportData as $identifier => $data) {
+ $textsToTranslate[$identifier] = $data['text'];
+ }
+
+ // Translate with DeepL
+ $translatedTexts = $this->deeplTranslator->translateTexts(
+ $textsToTranslate,
+ $targetLanguage,
+ $sourceLanguage
+ );
+
+ // Combine original data with translations
+ $result = [];
+ foreach ($exportData as $identifier => $originalData) {
+ $result[$identifier] = $originalData;
+ $result[$identifier]['translated_text'] = $translatedTexts[$identifier] ?? $originalData['text'];
+ }
+
+ // Save results
+ file_put_contents($outputFile, json_encode($result, JSON_PRETTY_PRINT | JSON_UNESCAPED_UNICODE));
+
+ return 0;
+ } catch (Exception $e) {
+ $this->error("Translation failed: " . $e->getMessage());
+ return 1;
+ }
+ }
+
+ private function handleLanguages(): int
+ {
+ try {
+ $languages = $this->deeplTranslator->getAvailableLanguages();
+
+ $this->info("Available DeepL languages:");
+ $this->line("");
+
+ foreach ($languages as $lang) {
+ $this->line(" {$lang['language']} - {$lang['name']}");
+ }
+
+ return 0;
+ } catch (Exception $e) {
+ $this->error("Failed to get languages: " . $e->getMessage());
+ return 1;
+ }
+ }
+
+ private function handleUsage(): int
+ {
+ try {
+ $usage = $this->deeplTranslator->getUsage();
+
+ $this->info("DeepL API Usage:");
+ $this->line("");
+ $this->line(" Characters used: " . number_format($usage['character_count']));
+ $this->line(" Characters limit: " . number_format($usage['character_limit']));
+ $this->line(" Usage percentage: " . round(($usage['character_count'] / $usage['character_limit']) * 100, 2) . "%");
+
+ return 0;
+ } catch (Exception $e) {
+ $this->error("Failed to get usage: " . $e->getMessage());
+ return 1;
+ }
+ }
+
+ private function handleTest(): int
+ {
+ $this->info("Testing DeepL API connection...");
+
+ try {
+ $result = $this->deeplTranslator->translateText(['Hello world', 'How are you?'], 'FR');
+
+ if ($result) {
+ $this->info("✅ Test successful!");
+ foreach ($result as $i => $translation) {
+ $this->line(" Translation " . ($i + 1) . ": " . $translation);
+ }
+ return 0;
+ } else {
+ $this->error("❌ Test failed - no results returned");
+ return 1;
+ }
+ } catch (Exception $e) {
+ $this->error("❌ Test failed: " . $e->getMessage());
+ return 1;
+ }
+ }
+}
+
+/**
+ * DeepL API Translator class
+ */
+class DeeplApiTranslator
+{
+ private $apiKey;
+ private $apiUrl;
+ private $command;
+
+ public function __construct($apiKey, $useFreeApi = false, $command = null)
+ {
+ $this->apiKey = $apiKey;
+ $this->apiUrl = $useFreeApi ?
+ 'https://api-free.deepl.com/v2/translate' :
+ 'https://api.deepl.com/v2/translate';
+ $this->command = $command;
+ }
+
+ /**
+ * Translate multiple texts
+ */
+ public function translateTexts($texts, $targetLanguage, $sourceLanguage = 'EN')
+ {
+ if (empty($texts)) {
+ throw new Exception("No texts provided for translation");
+ }
+
+ $batches = $this->createBatches($texts);
+ $results = [];
+
+ // Create progress bar for batch processing only if not in silent mode
+ $batchProgress = null;
+ if ($this->command) {
+ $this->command->getOutput()->newLine();
+ $batchProgress = $this->command->getOutput()->createProgressBar(count($batches));
+ $batchProgress->setFormat('%current%/%max% [%bar%] %percent:3s%% %message%');
+ $batchProgress->setMessage('Processing batches...');
+ $batchProgress->start();
+ }
+
+ foreach ($batches as $i => $batch) {
+ try {
+ $batchResults = $this->translateBatch($batch, $targetLanguage, $sourceLanguage);
+ $results = array_merge($results, $batchResults);
+
+ if ($batchProgress) {
+ $batchProgress->setMessage("Batch " . ($i + 1) . "/" . count($batches) . " completed");
+ $batchProgress->advance();
+ }
+
+ // Rate limiting - wait between batches
+ if ($i < count($batches) - 1) {
+ sleep(1);
+ }
+ } catch (Exception $e) {
+ if ($batchProgress) {
+ $batchProgress->finish();
+ $batchProgress->clear();
+ }
+
+ throw $e;
+ }
+ }
+
+ if ($batchProgress) {
+ $batchProgress->setMessage('All batches completed!');
+ $batchProgress->finish();
+ $batchProgress->clear();
+ }
+
+ return $results;
+ }
+
+ /**
+ * Translate single text for testing
+ */
+ public function translateText($texts, $targetLanguage, $sourceLanguage = 'EN')
+ {
+ $data = [
+ 'text' => $texts,
+ 'target_lang' => $targetLanguage,
+ 'source_lang' => $sourceLanguage,
+ 'preserve_formatting' => '1'
+ ];
+
+ $response = $this->makeApiCall($data);
+
+ if (!isset($response['translations'])) {
+ throw new Exception("Invalid response from DeepL API");
+ }
+
+ $results = [];
+ foreach ($response['translations'] as $translation) {
+ $results[] = $translation['text'];
+ }
+
+ return $results;
+ }
+
+ /**
+ * Create batches to respect API limits
+ */
+ private function createBatches($texts)
+ {
+ $batches = [];
+ $currentBatch = [];
+ $currentLength = 0;
+ $maxBatchSize = 50; // DeepL allows up to 50 texts per request
+ $maxCharacters = 100000; // Conservative character limit
+
+ foreach ($texts as $key => $text) {
+ $textLength = strlen($text);
+
+ if ((count($currentBatch) >= $maxBatchSize) ||
+ ($currentLength + $textLength > $maxCharacters && !empty($currentBatch))) {
+
+ $batches[] = $currentBatch;
+ $currentBatch = [];
+ $currentLength = 0;
+ }
+
+ $currentBatch[$key] = $text;
+ $currentLength += $textLength;
+ }
+
+ if (!empty($currentBatch)) {
+ $batches[] = $currentBatch;
+ }
+
+ return $batches;
+ }
+
+ /**
+ * Translate a single batch
+ */
+ private function translateBatch($batch, $targetLanguage, $sourceLanguage)
+ {
+ $data = [
+ 'text' => array_values($batch),
+ 'target_lang' => $targetLanguage,
+ 'source_lang' => $sourceLanguage,
+ 'preserve_formatting' => '1'
+ ];
+
+ $response = $this->makeApiCall($data);
+
+ if (!isset($response['translations'])) {
+ throw new Exception("Failed to get translations from DeepL API");
+ }
+
+ $results = [];
+ $keys = array_keys($batch);
+
+ foreach ($response['translations'] as $index => $translation) {
+ $originalKey = $keys[$index];
+ $results[$originalKey] = $translation['text'];
+ }
+
+ return $results;
+ }
+
+ /**
+ * Make API call to DeepL
+ */
+ private function makeApiCall($data)
+ {
+ $postData = $this->buildDeepLQuery($data);
+
+ $context = stream_context_create([
+ 'http' => [
+ 'method' => 'POST',
+ 'header' => [
+ 'Authorization: DeepL-Auth-Key ' . $this->apiKey,
+ 'Content-Type: application/x-www-form-urlencoded',
+ 'Content-Length: ' . strlen($postData),
+ 'User-Agent: Laravel DeepL Translator/1.0'
+ ],
+ 'content' => $postData,
+ 'timeout' => 60
+ ]
+ ]);
+
+ $response = file_get_contents($this->apiUrl, false, $context);
+
+ if ($response === false) {
+ $error = error_get_last();
+ throw new Exception("API call failed: " . $error['message']);
+ }
+
+ $httpCode = $this->getHttpResponseCode($http_response_header);
+ if ($httpCode !== 200) {
+ switch ($httpCode) {
+ case 403:
+ throw new Exception("HTTP 403 Forbidden - Check your API key and endpoint (free vs pro)");
+ case 413:
+ throw new Exception("HTTP 413 Request too large - Reduce batch size");
+ case 429:
+ throw new Exception("HTTP 429 Too many requests - Rate limit exceeded");
+ case 456:
+ throw new Exception("HTTP 456 Quota exceeded - Monthly character limit reached");
+ default:
+ throw new Exception("API returned HTTP {$httpCode}: {$response}");
+ }
+ }
+
+ return json_decode($response, true);
+ }
+
+ /**
+ * Build query string for DeepL API
+ */
+ private function buildDeepLQuery($data)
+ {
+ $parts = [];
+
+ foreach ($data as $key => $value) {
+ if ($key === 'text' && is_array($value)) {
+ foreach ($value as $text) {
+ $parts[] = 'text=' . urlencode($text);
+ }
+ } else {
+ $parts[] = urlencode($key) . '=' . urlencode($value);
+ }
+ }
+
+ return implode('&', $parts);
+ }
+
+ /**
+ * Extract HTTP response code from headers
+ */
+ private function getHttpResponseCode($headers)
+ {
+ foreach ($headers as $header) {
+ if (strpos($header, 'HTTP/') === 0) {
+ $parts = explode(' ', $header);
+ return intval($parts[1]);
+ }
+ }
+ return 0;
+ }
+
+ /**
+ * Get available languages from DeepL
+ */
+ public function getAvailableLanguages()
+ {
+ $languageUrl = str_replace('/translate', '/languages', $this->apiUrl);
+
+ $context = stream_context_create([
+ 'http' => [
+ 'method' => 'GET',
+ 'header' => 'Authorization: DeepL-Auth-Key ' . $this->apiKey
+ ]
+ ]);
+
+ $response = file_get_contents($languageUrl, false, $context);
+
+ if ($response === false) {
+ throw new Exception("Failed to get available languages");
+ }
+
+ return json_decode($response, true);
+ }
+
+ /**
+ * Get usage information
+ */
+ public function getUsage()
+ {
+ $usageUrl = str_replace('/translate', '/usage', $this->apiUrl);
+
+ $context = stream_context_create([
+ 'http' => [
+ 'method' => 'GET',
+ 'header' => 'Authorization: DeepL-Auth-Key ' . $this->apiKey
+ ]
+ ]);
+
+ $response = file_get_contents($usageUrl, false, $context);
+
+ if ($response === false) {
+ throw new Exception("Failed to get usage information");
+ }
+
+ return json_decode($response, true);
+ }
+}
\ No newline at end of file
diff --git a/app/Console/Commands/TranslationManager.php b/app/Console/Commands/TranslationManager.php
new file mode 100644
index 0000000000..b0abb57f12
--- /dev/null
+++ b/app/Console/Commands/TranslationManager.php
@@ -0,0 +1,522 @@
+instanceName = $this->option('instance');
+ $this->baseLocalePath = base_path('lang/instances/' . $this->instanceName);
+
+ $this->line("
',
+ 'interested_starting' => 'Möchten Sie Ihre eigene Reparaturgruppe gründen?',
+ 'interested_details' => '
Jeder, der Interesse und ein wenig Organisationstalent hat, kann eine kommunale Reparaturgruppe gründen. Schauen Sie sich unserEventplanungs-Kitoder unsereRessourcen für Schulen an.
Wenn Sie bereit sind, eine Gruppe zu gründen, erstellen Sie einfach eine auf derGruppen Seite. Und wenn Sie Hilfe brauchen, fragen Sie einfach im Forum,Gespräch.', + 'see_all_groups_near_you' => 'Alle Gruppen in Ihrer Nähe anzeigen →', + 'see_all_groups' => 'Alle Gruppen anzeigen', + 'no_groups_intro' => 'Es gibt gemeinschaftlicheGruppen auf der ganzen Welt. Sie können gerne jeder Gruppe folgen, um benachrichtigt zu werden, wenn sie Veranstaltungen organisiert.', ]; diff --git a/lang/instances/base/de/device-audits.php b/lang/instances/base/de/device-audits.php index 7070fdb8fd..21e9deb849 100644 --- a/lang/instances/base/de/device-audits.php +++ b/lang/instances/base/de/device-audits.php @@ -1,25 +1,46 @@ 'No changes have been made to this device!', + 'unavailable_audits' => 'An diesem Gerät wurden keine Änderungen vorgenommen!', + 'created' => [ + 'metadata' => 'Am :audit_created_at, :user_name erstellte Datensatz:audit_url', + 'modified' => [ + 'event' => 'Ereignisals \":neu\" gesetzt', + 'category' => 'Kategorieals \":neu\" eingestellt', + 'category_creation' => 'Kategorieerstellungals \":neu\" gesetzt', + 'estimate' => 'Schätzen Sieals \":neu\" ein', + 'repair_status' => 'Reparaturstatusals \":neu\" gesetzt', + 'spare_parts' => 'Ersatzteileals \":neu\" eingestellt', + 'brand' => 'Markeals \":neu\" eingestellt', + 'model' => 'Modellals \":neu\" eingestellt', + 'age' => 'Alterals \":neu\" eingestellt', + 'problem' => 'Problemals \":neu\" gesetzt', + 'repaired_by' => 'Ersetzt durchals \":new\" gesetzt', + 'do_it_yourself' => 'Selber machenals \":new\" einstellen', + 'professional_help' => 'Professionelle Hilfeals \":new\" eingestellt', + 'more_time_needed' => 'Mehr Zeit benötigtals \":new\" gesetzt', + 'wiki' => 'Wikials \":neu\" eingestellt', + 'iddevices' => 'Geräte-IDals \":neu\" eingestellt', + ], + ], 'updated' => [ - 'metadata' => 'On :audit_created_at, :user_name updated record :audit_url', + 'metadata' => 'Am :audit_created_at hat :user_name den Datensatz:audit_urlaktualisiert', 'modified' => [ - 'event' => 'Event was modified from ":old" to ":new"', - 'category' => 'Category was modified from ":old" to ":new"', - 'category_creation' => 'Category Creation was modified from ":old" to ":new"', - 'estimate' => 'Estimate was modified from ":old" to ":new"', - 'repair_status' => 'Repair Status was modified from ":old" to ":new"', - 'spare_parts' => 'Spare Parts was modified from ":old" to ":new"', - 'brand' => 'Brand was modified from ":old" to ":new"', - 'model' => 'Model was modified from ":old" to ":new"', - 'age' => 'Age was modified from ":old" to ":new"', - 'problem' => 'Problem was modified from ":old" to ":new"', - 'repaired_by' => 'Reparied by was modified from ":old" to ":new"', - 'do_it_yourself' => 'Do it yourself was modified from ":old" to ":new"', - 'professional_help' => 'Professional Help was modified from ":old" to ":new"', - 'more_time_needed' => 'More time needed was modified from ":old" to ":new"', - 'wiki' => 'Wiki was modified from ":old" to ":new"', + 'event' => 'Ereigniswurde von \":alt\" auf \":neu\" geändert', + 'category' => 'Kategoriewurde von \":alt\" auf \":neu\" geändert', + 'category_creation' => 'Kategorieerstellungwurde von \":alt\" auf \":neu\" geändert', + 'estimate' => 'Schätzungwurde von \":alt\" auf \":neu\" geändert', + 'repair_status' => 'Reparaturstatuswurde von \":alt\" auf \":neu\" geändert', + 'spare_parts' => 'Ersatzteilewurde geändert von \":alt\" zu \":neu\"', + 'brand' => 'Die Markewurde von \":alt\" auf \":neu\" geändert', + 'model' => 'Das Modellwurde von \":alt\" auf \":neu\" geändert', + 'age' => 'Alterwurde von \":alt\" auf \":neu\" geändert', + 'problem' => 'Das Problemwurde von \":alt\" auf \":neu\" geändert', + 'repaired_by' => 'Repariert vonwurde geändert von \":alt\" zu \":neu\"', + 'do_it_yourself' => 'Do it yourselfwurde geändert von \":alt\" zu \":neu\"', + 'professional_help' => 'Professionelle Hilfewurde von \":alt\" auf \":neu\" geändert', + 'more_time_needed' => 'Mehr Zeit benötigtwurde von \":alt\" auf \":neu\" geändert', + 'wiki' => 'Wikiwurde von \":alt\" auf \":neu\" geändert', ], ], ]; diff --git a/lang/instances/base/de/devices.php b/lang/instances/base/de/devices.php index 0d1549b645..8cd4ed85c1 100644 --- a/lang/instances/base/de/devices.php +++ b/lang/instances/base/de/devices.php @@ -1,26 +1,81 @@ 'Devices', - 'export_device_data' => 'Export device data', - 'category' => 'Category', - 'group' => 'Group', - 'from_date' => 'From date', - 'to_date' => 'To date', - 'brand' => 'Brand', - 'model' => 'Model', - 'repair' => 'Repair date', - 'repair_status' => 'Repair status', - 'repair_details' => 'Next steps', - 'graphic-comment' => 'Comment', - 'graphic-camera' => 'Camera', - 'fixed' => 'Fixed', + 'devices' => 'Reparaturen', + 'export_device_data' => 'Alle Daten herunterladen', + 'export_event_data' => 'Ereignisdaten herunterladen', + 'export_group_data' => 'Reparaturdaten herunterladen', + 'category' => 'Kategorie', + 'group' => 'Gruppe', + 'from_date' => 'Vom Datum', + 'to_date' => 'Bis heute', + 'brand' => 'Marke', + 'brand_if_known' => 'Marke (falls bekannt)', + 'model' => 'Modell', + 'model_if_known' => 'Modell (falls bekannt)', + 'repair' => 'Datum der Reparatur', + 'repair_status' => 'Status der Reparatur', + 'repair_details' => 'Nächste Schritte', + 'graphic-comment' => 'Kommentar', + 'graphic-camera' => 'Kamera', + 'fixed' => 'Festgelegt', 'repairable' => 'Repairable', - 'age' => 'Age', - 'devices_description' => 'Description of problem/solution', - 'delete_device' => 'Delete device', - 'event_info' => 'Event info', - 'weight' => 'Weight', - 'required_impact' => 'kg - required for environmental impact calculation', - 'age_approx' => 'years - approximate, if known', + 'age' => 'Alter', + 'devices_description' => 'Beschreibung des Problems/Lösung', + 'delete_device' => 'Gerät löschen', + 'devices_date' => 'Datum', + 'event_info' => 'Infos zur Veranstaltung', + 'fixometer' => 'Fixometer', + 'global_impact' => 'Unser globaler Einfluss', + 'group_prevented' => 'vermieden:Menge kgan Abfall!', + 'huge_impact' => 'Reparateure auf der ganzen Welt haben eine große Wirkung!', + 'huge_impact_2' => 'Durchsuchen Sie Ihre Reparaturdaten und erhalten Sie einen Eindruck von den Auswirkungen der Reparatur und den Hindernissen, denen wir bei der Reparatur begegnen. In derReparaturdaten-Diskussionin unserem Forum können Sie uns helfen zu verstehen, was diese Daten uns sonst noch sagen und für welche Änderungen wir uns einsetzen sollten.', + 'add_data_button' => 'Daten hinzufügen', + 'add_data_title' => 'Daten hinzufügen', + 'add_data_description' => 'Die Hinzufügung von Reparaturdaten hilft, die Auswirkungen von Reparaturen aufzuzeigen.', + 'search_text' => 'Stöbern Sie in unserer globalen Reparaturdatenbank und durchsuchen Sie sie.', + 'add_data_action_button' => 'Zur Veranstaltung gehen', + 'repair_records' => 'Reparatur-Aufzeichnungen', + 'images' => 'Bilder', + 'model_or_type' => 'Artikel', + 'repair_outcome' => 'Ergebnis der Reparatur?', + 'powered_items' => 'betriebene Geräte', + 'unpowered_items' => 'stromlose Geräte', + 'weight' => 'Gewicht', + 'required_impact' => 'kg - erforderlich zur Berechnung der Umweltauswirkungen', + 'optional_impact' => 'kg - wird zur Verfeinerung der Berechnung der Umweltauswirkungen verwendet (optional)', + 'age_approx' => 'jahre (ungefähr, falls unbekannt)', + 'tooltip_category' => 'Wählen Sie die Kategorie, die am besten zu diesem Artikel passt.Mehr Informationen über diese Kategorien...', + 'tooltip_model' => 'Fügen Sie hier so viele Informationen über das spezifische Gerätemodell hinzu, wie Sie können (z. B. \"Galaxy S10 5G\"). Lassen Sie das Feld leer, wenn Sie das Modell nicht kennen.', + 'tooltip_problem' => '
Bitte beschreiben Sie so detailliert wie möglich das Problem mit dem Gerät und was zu dessen Behebung unternommen wurde. For example:
Fügen Sie hier weitere Details hinzu, zum Beispiel:
Damit werden Freiwillige, die an dieser Veranstaltung teilgenommen haben, benachrichtigt, dass Reparaturdaten hinzugefügt wurden und dass sie von zusätzlichen Beiträgen und Überprüfungen profitieren könnten.
Es werden auch Freiwillige benachrichtigt, dass Fotos (einschließlich des Feedbacks aus dem Besucherbuch) gepostet wurden.
Wollen Sie diese Benachrichtigungen senden?
', + 'request_review_modal_heading' => 'Überprüfung anfordern', + 'send_requests' => 'Senden Sie', + 'cancel_requests' => 'Abbrechen', + 'online_event' => 'ONLINE-VERANSTALTUNG', + 'create_new_event_mobile' => 'Erstellen', + 'no_upcoming_for_your_groups' => 'Derzeit sind keine Veranstaltungen für Ihre Gruppen geplant', + 'youre_going' => 'Du gehst mit!', + 'online_event_question' => 'Online-Veranstaltung?', + 'organised_by' => 'Organisiert von :group', + 'event_actions' => 'Event-Aktionen', + 'request_review' => 'Überprüfung anfordern', + 'share_event_stats' => 'Ereignisstatistiken teilen', + 'invite_volunteers' => 'Freiwillige einladen', + 'event_details' => 'Einzelheiten', + 'event_photos' => 'Fotos', + 'environmental_impact' => 'Auswirkungen auf die Umwelt', + 'event_description' => 'Beschreibung', + 'event_attendance' => 'Teilnahme an der Veranstaltung', + 'confirmed' => 'Bestätigt', + 'invited' => 'Eingeladen', + 'invite_to_join' => 'Einladen zur Teilnahme an der Veranstaltung', + 'editing' => 'Bearbeitung von :event', + 'event_log' => 'Ereignisprotokoll', + 'add_new_event' => 'Neues Ereignis hinzufügen', + 'created_success_message' => 'Veranstaltung erstellt! Sie wird in Kürze von einem Koordinator genehmigt werden. In der Zwischenzeit können Sie es weiter bearbeiten.', + 'items_fixed' => 'Festgelegte Punkte', + 'not_counting' => 'Nicht auf die Umweltauswirkungen dieses Ereignisses angerechnet werden|Nicht auf die Umweltauswirkungen dieses Ereignisses angerechnet werden', + 'impact_calculation' => 'Wie berechnen wir die Umweltbelastung?
+Wir haben das durchschnittliche Gewicht und den CO2e-Fußabdruck von Produkten in einer Reihe von Kategorien, von Smartphones bis zu T-Shirts. Wenn Sie einen Artikel eingeben, den Sie repariert haben, verwenden wir diese Durchschnittswerte, um die Auswirkungen dieser Reparatur auf der Grundlage der Kategorie des Artikels zu schätzen.
+Für sonstige Gegenstände wenden wir ein allgemeines CO2e-zu-Gewicht-Verhältnis an, um die Auswirkungen jeder erfolgreichen Reparatur zu schätzen.
+Erfahren Sie mehr darüber, wie wir die Auswirkungen berechnen, hier
', + 'delete_event' => 'Ereignis löschen', + 'confirmed_none' => 'Es gibt keine bestätigten Freiwilligen.', + 'invited_none' => 'Es sind noch keine Freiwilligen eingeladen.', + 'view_map' => 'Karte ansehen', + 'read_more' => 'LESEN SIE MEHRSie haben derzeit keine Stadt festgelegt. Sie können eine inIhrem Profileinstellen.
Sie können auchalle Gruppen ansehen.
', + 'no_groups_nearest_with_location' => 'Es gibt keine Gruppen im Umkreis von 50 km um Ihren Standort. Sie könnenalle Gruppen hier sehen. Oder warum nicht Ihre eigene Gruppe gründen?Erfahren Sie, was es bedeutet, eine eigene Reparaturveranstaltung zu leiten.
', + 'group_count' => 'Es gibt:count group.|Es gibt :count groups.', + 'search_name_placeholder' => 'Name suchen...', + 'search_location_placeholder' => 'Standort suchen...', + 'search_country_placeholder' => 'Land...', + 'search_tags_placeholder' => 'Tag', + 'show_filters' => 'Filter anzeigen', + 'hide_filters' => 'Filter ausblenden', + 'leave_group_button' => 'Gruppe entfolgen', + 'leave_group_button_mobile' => 'Unfollow', + 'leave_group_confirm' => 'Bitte bestätigen Sie, dass Sie dieser Gruppe nicht mehr folgen möchten.', + 'now_following' => 'Sie folgen jetzt:name!', + 'now_unfollowed' => 'Sie haben jetzt:namenicht mehr verfolgt.', + 'nearby' => 'In der Nähe', + 'all' => 'Alle', + 'no_other_events' => 'Derzeit sind keine weiteren Veranstaltungen geplant.', + 'no_other_nearby_events' => 'Derzeit sind keine weiteren Veranstaltungen in der Nähe geplant.', + 'postcode' => 'Gruppe Postleitzahl', + 'groups_postcode_small' => 'Diese hat Vorrang vor der Postleitzahl des Ortes.', + 'override_postcode' => 'Postleitzahl überschreiben', + 'duplicate' => 'Dieser Gruppenname (:name) existiert bereits. Wenn es Ihrer ist, gehen Sie bitte über das Menü auf die Seite Gruppen und bearbeiten Sie ihn.', + 'create_failed' => 'Gruppe konntenichterstellt werden. Bitte sehen Sie sich die gemeldeten Fehler an, korrigieren Sie sie und versuchen Sie es erneut.', + 'edit_failed' => 'Die Gruppe konnte nicht bearbeitet werden.', + 'delete_group' => 'Gruppe löschen', + 'archive_group' => 'Archivgruppe', + 'archived_group' => 'Archiviert', + 'archived_group_title' => 'Diese Gruppe wurde am :Datum archiviert.', + 'delete_group_confirm' => 'Bitte bestätigen Sie, dass Sie :name löschen möchten.', + 'archive_group_confirm' => 'Bitte bestätigen Sie, dass Sie :name archivieren möchten.', + 'delete_succeeded' => 'Gruppe:Namewurde gelöscht.', + 'nearest_groups' => 'Dies sind die Gruppen, die sich im Umkreis von 50 km von :location befinden', + 'nearest_groups_change' => '(Veränderung)', + 'invitation_pending' => 'Sie haben eine Einladung zu dieser Gruppe. Bitte klicken Sie aufhier, wenn Sie beitreten möchten.', + 'geocode_failed' => 'Ort nicht gefunden. Wenn Sie den Standort Ihrer Gruppe nicht finden können, versuchen Sie es bitte mit einem allgemeineren Ort (z. B. Dorf/Stadt) oder einer bestimmten Straßenadresse, anstatt mit einem Gebäudenamen.', + 'discourse_title' => 'Dies ist eine Diskussionsgruppe für alle, die der :group folgen. + +Die Hauptseite der Gruppe finden Sie hier: :link. + +Erfahren Sie hier, wie Sie diese Gruppe nutzen können: :help.', + 'talk_group' => 'Gruppengespräch anzeigen', + 'talk_group_add_title' => 'Willkommen bei :group_name', + 'talk_group_add_body' => 'Vielen Dank, dass Sie :group_name folgen! Sie werden nun benachrichtigt, wenn neue Veranstaltungen geplant sind und werden zu den Gruppenmeldungen hinzugefügt.Erfahren Sie, wie Gruppennachrichten funktionieren und wie Sie Ihre Benachrichtigungseinstellungen ändern können.', + 'groups_location_placeholder' => 'Geben Sie Ihre Adresse ein', + 'editing' => 'Bearbeitung von', + 'timezone' => 'Zeitzone', + 'timezone_placeholder' => 'Diese hat Vorrang vor der Zeitzone des Ortes.', + 'override_timezone' => 'Zeitzone außer Kraft setzen', + 'you_have_joined' => 'Sie haben sich:name', + 'groups_title_admin' => 'Zu moderierende Gruppen', + 'group_requires_moderation' => 'Gruppe erfordert Moderation', + 'field_phone' => 'Rufnummer', + 'phone_small' => '(fakultativ)', + 'invite_success' => 'Einladungen verschickt!', + 'invite_success_apart_from' => 'Versendete Einladungen - abgesehen von diesen (:emails), die der Gruppe bereits beigetreten sind, bereits eine Einladung erhalten haben oder sich nicht für den Erhalt von E-Mails entschieden haben.', + 'invite_invalid' => 'Etwas ist schief gelaufen - diese Einladung ist ungültig oder abgelaufen.', + 'invite_confirmed' => 'Ausgezeichnet! Sie sind der Gruppe beigetreten.', + 'follow_group_error' => 'Sie konnten dieser Gruppe nicht folgen.', + 'create_event_first' => 'Bitte erstellen Sie zunächst ein Ereignis, um Reparaturdaten hinzuzufügen.', + 'follow_group_first' => 'Reparaturdaten werden zu Gemeinschaftsreparaturereignissen hinzugefügt. Bitte folgen Sie zunächst einer Gruppe und wählen Sie dann ein Ereignis aus, um Reparaturdaten hinzuzufügen.', + 'export_event_list' => 'Veranstaltungsliste herunterladen', + 'export' => [ + 'events' => [ + 'date' => 'Datum', + 'event' => 'Veranstaltung', + 'group' => 'Gruppe', + 'volunteers' => 'Ehrenamtliche Mitarbeiter', + 'participants' => 'Teilnehmer', + 'items_total' => 'Posten insgesamt', + 'items_fixed' => 'Festgelegte Punkte', + 'items_repairable' => 'Reparierbare Gegenstände', + 'items_end_of_life' => 'Artikel am Ende der Nutzungsdauer', + 'items_kg_waste_prevented' => 'kg vermiedener Abfall', + 'items_kg_co2_prevent' => 'kg vermiedenes CO2', + ], + ], ]; diff --git a/lang/instances/base/de/landing.php b/lang/instances/base/de/landing.php new file mode 100644 index 0000000000..13059365e0 --- /dev/null +++ b/lang/instances/base/de/landing.php @@ -0,0 +1,37 @@ + 'Willkommen bei Restarters!', + 'intro' => 'Wir sind ein globales Netzwerk von Menschen, die anderen bei Gemeinschaftsveranstaltungen bei der Reparatur helfen.', + 'join' => 'Mitmachen', + 'login' => 'Einloggen', + 'learn' => 'Reparaturfähigkeiten erlernen und mit anderen teilen', + 'landing_1_alt' => 'Reparaturfähigkeiten (Kredit Mark Phillips)', + 'landing_2_alt' => 'Restart Party (Kredit Mark Phillips)', + 'landing_3_alt' => 'Restart Crowd (Kredit Mark Phillips)', + 'repair_skills' => 'Bringen Sie Ihre Reparaturkenntnisse mit unserem Reparatur-Wiki auf den neuesten Stand', + 'repair_advice' => 'Holen Sie sich im Forum Ratschläge für Reparaturen oder tauschen Sie diese aus', + 'repair_group' => 'Folgen Sie Ihrer örtlichen Reparaturgruppe', + 'repair_start' => 'Beginn der Reparatur', + 'organise' => 'Organisation von Reparaturveranstaltungen in der Gemeinde', + 'organise_advice' => 'Holen Sie sich Rat und Unterstützung von anderen Veranstaltern', + 'organise_manage' => 'Verwalten Sie Ihre Gruppe und finden Sie Freiwillige', + 'organise_publicise' => 'Bekanntmachung von Reparaturveranstaltungen und Messung ihrer Wirkung', + 'organise_start' => 'Beginn der Organisation', + 'campaign' => 'Die Hindernisse für die Reparatur abbauen', + 'campaign_join' => 'Bleiben Sie auf dem Laufenden mit der weltweiten Bewegung für das Recht auf Reparatur', + 'campaign_barriers' => 'Dokumentieren Sie die Hindernisse für die Reparatur', + 'campaign_data' => 'Reparaturdaten analysieren', + 'campaign_start' => 'Schließen Sie sich der Bewegung an', + 'need_more' => 'Brauchen Sie mehr?', + 'network' => 'Stärken Sie Ihr Netzwerk', + 'network_blurb' => 'Wenn Sie ein Netzwerk von kommunalen Reparaturgruppen koordinieren, bieten wir auch erschwingliche, maßgeschneiderte Pakete an, die Ihnen die Arbeit erleichtern.', + 'network_tools' => 'Geben Sie Ihren Gruppen Zugang zu Eventmanagement und GDPR-konformen Kommunikationstools', + 'network_events' => 'Automatische Anzeige Ihrer Gruppen und Veranstaltungen auf Ihrer Website', + 'network_record' => 'Ermöglichen Sie Ihren Freiwilligen die einfache Erfassung von Reparaturdaten', + 'network_impact' => 'Messen und verfolgen Sie die Gesamtauswirkungen Ihres Netzwerks', + 'network_brand' => 'Custom-Branding und Lokalisierung: Verwenden Sie Ihr Logo und Ihre Sprache', + 'network_power' => 'Unterstützen Sie die Bewegung für das Recht auf Reparatur', + 'network_start' => 'Kontakt aufnehmen', + 'network_start_url' => 'https://therestartproject.org/contact', +]; diff --git a/lang/instances/base/de/login.php b/lang/instances/base/de/login.php index 47fb54f724..176faa5052 100644 --- a/lang/instances/base/de/login.php +++ b/lang/instances/base/de/login.php @@ -1,18 +1,20 @@ 'German Welcome to the Restarters community', - 'whatis_content' => 'This is a place to grow the community electronics repair movement. The world needs more fixing and more fixing skills to be shared.
Join in if you would like to:
Dies ist ein Ort, an dem die gemeinschaftliche Elektronikreparaturbewegung wächst. Die Welt braucht mehr Reparaturen und mehr Reparaturfähigkeiten, die geteilt werden können.
Machen Sie mit, wenn Sie möchten:
Thank you for being a part of our community space.
And thank you for being a beta tester! With your feedback we can help improve the platform for everyone.
', - 'slide2_heading' => 'Your gateway to community repair', - 'slide2_content' => 'In the community space you can:
Your starting point is the community dashboard.
Your dashboard gives you at a glance info on the latest happenings in the community, as well as quick access to common actions.
A good place to start is the Getting Started section.
', - 'finishing_action' => 'To the dashboard', - 'previous' => 'Previous', - 'next' => 'Next', + 'slide1_content' => 'Vielen Dank, dass Sie unserem Gemeinschaftsraum beigetreten sind.
', + 'slide2_content' => 'Im Gemeinschaftsbereich können Sie:
Ihr Ausgangspunkt ist dasCommunity Dashboard.
Ihr Dashboard gibt Ihnen auf einen Blick Informationen über die neuesten Ereignisse in der Community, sowie schnellen Zugriff auf gemeinsame Aktionen.
Ein guter Startpunkt ist der Einstieg Bereich.
', + 'previous' => 'Vorherige', + 'slide1_heading' => 'Herzlich willkommen!', + 'slide2_heading' => 'Ihr Tor zur Gemeinschaftsreparatur', + 'slide3_heading' => 'Fangen wir an!', + 'finishing_action' => 'Zum Armaturenbrett', + 'next' => 'Weiter', ]; diff --git a/lang/instances/base/de/partials.php b/lang/instances/base/de/partials.php index b8e9d53625..2eb10c23dd 100644 --- a/lang/instances/base/de/partials.php +++ b/lang/instances/base/de/partials.php @@ -1,59 +1,100 @@ 'how_to_set_up_a_group', - 'community_news_text' => 'The latest from our community blog - we are always looking for guest posts, send ideas to janet@therestartproject.org', - 'see_more_posts' => 'See more posts', - 'see_all_events' => 'See all events', - 'discussion' => 'Discussion', - 'discussion_text' => 'Meet other event organisers and repair volunteers, trade tips, get help, or discuss the system-level barriers to longer-lasting products', - 'add_device' => 'Add item', - 'read_more' => 'Read more', - 'how_to_host_an_event' => 'How to host an event', - 'how_to_host_an_event_text' => 'We have years of experience hosting community repair events, and we offer materials on how to organise events them. We also offer peer to peer support on our forum.', - 'view_the_materials' => 'view_the_materials', - 'co2' => 'CO2 emissions prevented', - 'restarters_in_your_area' => 'Restarters in your area', - 'information_up_to_date' => 'Keep your group information up to date!', - 'information_up_to_date_text' => 'A fresh profile helps recruit more volunteers. Make sure to link to your website or social media channels.', - 'your_recent_events' => 'Your recent events', - 'your_recent_events_txt1' => 'These are events you RSVP\'ed to, or where a host logged your participation.', - 'your_recent_events_txt2' => 'Here\'s a list of recent events you have been a part of - all important contributions to your community and the environment.', - 'no_past_events' => 'No Past Events', - 'area_text_1' => 'Through this community, potential volunteers self-register and share their location. The platform is designed to connect organisers and fixers.', - 'area_text_2' => 'Through this community, potential volunteers self-register and share their location. Here\'s a list of potential volunteers near you', - 'host_getting_started_title' => 'Getting started in community repair', - 'host_getting_started_text' => 'We offer materials on how to help organise repair events in your community.', - 'getting_started_link' => 'View the materials', - 'restarter_getting_started_title' => 'Getting started in community repair', - 'restarter_getting_started_text' => 'We offer materials on how to help others fix their electronics at community events: on how to share your repair skills in your community and help organise events.', - 'welcome_title' => 'Getting started in community repair', - 'welcome_text' => 'We offer materials on how to help others fix their electronics at community events: on how to share your repair skills in your community and help organise events', + 'category' => 'Kategorie', + 'community_news' => 'Nachrichten der Gemeinschaft', + 'community_news_text' => 'Das Neueste aus unserem Community Blog - wir sind immer auf der Suche nach Gastbeiträgen, senden Sie Ihre Ideen anjanet@therestartproject.org', + 'see_more_posts' => 'Mehr Beiträge sehen', + 'see_all_events' => 'Alle Ereignisse anzeigen', + 'discussion' => 'Diskussion', + 'discussion_text' => 'Treffen Sie andere Organisatoren und freiwillige Reparateure, tauschen Sie Tipps aus, holen Sie sich Hilfe oder diskutieren Sie über die Hindernisse auf Systemebene, die einer längeren Produktlebensdauer im Wege stehen', + 'add_device' => 'Artikel hinzufügen', + 'read_more' => 'Mehr lesen', + 'how_to_host_an_event' => 'Wie man eine Veranstaltung ausrichtet', + 'how_to_host_an_event_text' => 'Wir haben jahrelange Erfahrung mit der Durchführung von Reparaturveranstaltungen in der Gemeinde und bieten Materialien zur Organisation von Veranstaltungen an. Außerdem bieten wir in unserem Forum gegenseitige Unterstützung an.', + 'view_the_materials' => 'Die Materialien ansehen', + 'waste_prevented' => 'abfallvermeidung', + 'co2' => 'geschätzte CO2e-Emissionen vermieden', + 'restarters_in_your_area' => 'Freiwillige in Ihrer Region', + 'information_up_to_date' => 'Halten Sie Ihre Gruppeninformationen auf dem neuesten Stand!', + 'information_up_to_date_text' => 'Ein frisches Profil trägt dazu bei, mehr Freiwillige zu rekrutieren. Stellen Sie sicher, dass Sie einen Link zu Ihrer Website oder Ihren Social-Media-Kanälen angeben.', + 'your_recent_events' => 'Ihre jüngsten Ereignisse', + 'your_recent_events_txt1' => 'Dies sind Veranstaltungen, für die Sie eine Einladungsbestätigung (RSVP) abgegeben haben oder bei denen ein Gastgeber Ihre Teilnahme registriert hat.', + 'your_recent_events_txt2' => 'Hier finden Sie eine Liste von Veranstaltungen, an denen Sie in letzter Zeit teilgenommen haben - alles wichtige Beiträge für Ihre Gemeinde und die Umwelt.', + 'no_past_events' => 'Keine vergangenen Ereignisse', + 'area_text_1' => 'Über diese Gemeinschaft können sich potenzielle Freiwillige selbst registrieren und ihren Standort mitteilen. Die Plattform ist darauf ausgelegt, Organisatoren und Helfer zusammenzubringen.', + 'area_text_2' => 'Über diese Community können sich potenzielle Freiwillige selbst registrieren und ihren Standort angeben. Hier finden Sie eine Liste potenzieller Freiwilliger in Ihrer Nähe', + 'host_getting_started_title' => 'Einstieg in die kommunale Reparatur', + 'host_getting_started_text' => 'Wir bieten Materialien an, wie Sie bei der Organisation von Reparaturveranstaltungen in Ihrer Gemeinde helfen können.', + 'getting_started_link' => 'Ansicht der Materialien', + 'restarter_getting_started_title' => 'Einstieg in die kommunale Reparatur', + 'restarter_getting_started_text' => 'Wir bieten Materialien an, mit denen Sie anderen bei der Reparatur ihrer elektronischen Geräte helfen können: wie Sie Ihre Reparaturkenntnisse in Ihrer Gemeinde weitergeben und bei der Organisation von Veranstaltungen helfen können.', + 'welcome_title' => 'Einstieg in die kommunale Reparatur', + 'welcome_text' => 'Wir bieten Materialien an, mit denen Sie anderen bei der Reparatur ihrer elektronischen Geräte helfen können: wie Sie Ihre Reparaturkenntnisse in Ihrer Gemeinde weitergeben und bei der Organisation von Veranstaltungen helfen können', 'wiki_title' => 'Wiki', - 'wiki_text' => 'A changing selection of pages from our repair wiki. Read and contribute advice for community repair!', - 'remove_volunteer' => 'Remove volunteer', - 'host' => 'Host', + 'wiki_text' => 'Eine wechselnde Auswahl von Seiten aus unserem Reparatur-Wiki. Lesen und schreiben Sie Tipps für die Reparatur in der Gemeinschaft!', + 'remove_volunteer' => 'Freiwillige entfernen', + 'host' => 'Gastgeber', 'update' => 'Update', - 'category' => 'Category', - 'category_none' => 'None of the above', - 'fixed' => 'Fixed', + 'category_none' => 'Keiner der oben genannten Punkte', + 'fixed' => 'Festgelegt', 'repairable' => 'Repairable', - 'end' => 'End', - 'end_of_life' => 'End-of-life', - 'more_time' => 'More time needed', - 'professional_help' => 'Professional help', - 'diy' => 'Do it yourself', - 'yes' => 'Yes', - 'yes_manufacturer' => 'Yes - from manufacturer', - 'yes_third_party' => 'Yes - from 3rd party', - 'no' => 'Not needed', - 'n_a' => 'N/A', - 'least_repaired' => 'Least repaired', - 'most_repaired' => 'Most repaired', - 'most_seen' => 'Most seen', - 'no_devices_added' => 'No devices added', - 'add_a_device' => 'Add a device', - 'event_requires_moderation_by_an_admin' => 'Event requires moderation by an admin', - 'save' => 'Save item', - 'cancel' => 'Cancel', + 'end' => 'Ende', + 'end_of_life' => 'End-of-Life', + 'more_time' => 'Mehr Zeit erforderlich', + 'professional_help' => 'Professionelle Hilfe', + 'diy' => 'Selber machen', + 'yes' => 'Ja', + 'yes_manufacturer' => 'Benötigte Teile - vom Hersteller', + 'yes_third_party' => 'Benötigte Teile - von einem Drittanbieter', + 'no' => 'Keine Ersatzteile erforderlich', + 'n_a' => 'K.A', + 'least_repaired' => 'Am wenigsten repariert', + 'most_repaired' => 'Meist repariert', + 'most_seen' => 'Meist gesehen', + 'no_devices_added' => 'Keine Geräte hinzugefügt', + 'add_a_device' => 'Ein Gerät hinzufügen', + 'event_requires_moderation_by_an_admin' => 'Ereignis erfordert Moderation durch einen Administrator', + 'save' => 'Artikel speichern', + 'hot_topics' => 'Aktuelle Themen', + 'hot_topics_text' => 'Informieren Sie sich bei Restarters Talk über die neuesten Themen im Bereich Reparatur.', + 'hot_topics_link' => 'Alle aktuellen Themen der Woche', + 'choose_barriers' => 'Wählen Sie das Haupthindernis für die Reparatur', + 'add_device_powered' => 'Powered Item hinzufügen', + 'add_device_unpowered' => 'Unbewaffneten Gegenstand hinzufügen', + 'emissions_equivalent_consume_low' => 'das ist so, als würde man 10 Jahre lang einen :wertvollen Baumsämling anbauen', + 'emissions_equivalent_consume_high' => 'das ist so, als würde man etwa :Wert Hektar Bäume pflanzen|das ist so, als würde man etwa :Wert Hektar Bäume pflanzen', + 'emissions_equivalent_consume_low_explanation' => 'Mittelgroße Nadel- oder Laubbäume, die in einem städtischen Umfeld gepflanzt werden und 10 Jahre lang wachsen.', + 'emissions_equivalent_consume_high_explanation' => 'Laubbaumsämlinge, die 1 Jahr lang in einer Plantage oder einem Waldstück in England angezogen wurden.', + 'to_be_recycled' => ':Wert der zu recycelnden Gegenstände|:Wert der zu recycelnden Gegenstände', + 'to_be_repaired' => ':Wert der zu reparierenden Gegenstände|:Wert der zu reparierenden Gegenstände', + 'no_weight' => ':value misc or unpowered item with no weight estimate|:value misc or unpowered items with no weight estimate', + 'cancel' => 'Abbrechen', + 'loading' => 'Laden', + 'close' => 'Schließen Sie', + 'skills' => 'fähigkeiten|Kompetenzen', + 'something_wrong' => 'Etwas ist schief gelaufen', + 'are_you_sure' => 'Sind Sie sicher?', + 'please_confirm' => 'Bitte bestätigen Sie, dass Sie fortfahren möchten.', + 'event_requires_moderation' => 'Veranstaltung erfordert Moderation', + 'copied_to_clipboard' => 'In die Zwischenablage kopiert.', + 'total' => 'insgesamt', + 'remove' => 'entfernen', + 'please_choose' => 'Bitte wählen Sie...', + 'notification_greeting' => 'Hallo!', + 'confirm' => 'Bestätigen Sie', + 'validate_timezone' => 'Bitte wählen Sie eine gültige Zeitzone.', + 'share_this' => 'Teilen Sie dies', + 'download' => 'Herunterladen', + 'share_modal_title' => 'Teilbare Statistiken', + 'share_modal_weve_saved' => 'Wir haben gerettet', + 'share_modal_of_co2' => 'von CO2e', + 'share_modal_by_repairing' => 'durch Reparaturen', + 'share_modal_broken_stuff' => 'kaputtes Zeug.', + 'share_modal_thats_like' => 'Das ist wie', + 'share_modal_growing_about' => 'herumwuchernd', + 'share_modal_seedlings' => 'baumsämlinge für 10 Jahre*|Baumsämlinge für 10 Jahre*', + 'share_modal_planting_around' => 'herumpflanzend', + 'share_modal_hectares' => 'hektar Bäume.*|Hektar Bäume.*', + 'impact_estimates' => 'Bei den Zahlen zu den Auswirkungen handelt es sich um Schätzungen auf der Grundlage der von den Gruppen in Restarters.net eingegebenen Daten.', ]; diff --git a/lang/instances/base/de/passwords.php b/lang/instances/base/de/passwords.php index 47e6a9f0ee..733f907cd6 100644 --- a/lang/instances/base/de/passwords.php +++ b/lang/instances/base/de/passwords.php @@ -1,9 +1,11 @@ 'Your password has been reset!', - 'sent' => 'We have e-mailed your password reset link!', - 'token' => 'This password reset token is invalid.', - 'user' => 'We can\'t find a user with that e-mail address.', - 'password' => 'Passwords must be at least six characters and match the confirmation.', + 'sent' => 'Wir haben Ihnen den Link zum Zurücksetzen Ihres Passworts per E-Mail geschickt!', + 'user' => 'Wir können keinen Benutzer mit dieser E-Mail-Adresse finden.', + 'invalid' => 'Bitte geben Sie eine gültige E-Mail ein.', + 'recover_title' => 'Konto Wiederherstellung', + 'match' => 'Die Kennwörter stimmen nicht überein', + 'updated' => 'Passwort aktualisiert, bitte einloggen, um fortzufahren.', + 'failed' => 'Das Passwort konnte nicht aktualisiert werden.', ]; diff --git a/lang/instances/base/de/profile.php b/lang/instances/base/de/profile.php index 85316bb081..c8ff40900c 100644 --- a/lang/instances/base/de/profile.php +++ b/lang/instances/base/de/profile.php @@ -1,11 +1,52 @@ 'Skills', - 'my_skills' => 'My skills', - 'biography' => 'Biography', - 'no_bio' => ':name has not yet entered a biography.', - 'edit_user' => 'Edit user', - 'change_photo' => 'Change my photo', - 'profile_picture' => 'Profile picture', + 'skills' => 'Fertigkeiten', + 'my_skills' => 'Meine Fähigkeiten', + 'biography' => 'Biografie', + 'no_bio' => ':name hat noch keine Biografie eingegeben.', + 'edit_user' => 'Benutzer bearbeiten', + 'change_photo' => 'Mein Foto ändern', + 'profile_picture' => 'Profilbild', + 'skills_updated' => 'Skills aktualisiert!', + 'notifications' => 'Benachrichtigungen', + 'language_panel_title' => 'Spracheinstellungen', + 'preferred_language' => 'Bevorzugte Sprache', + 'language_updated' => 'Sprachpräferenz aktualisiert', + 'page_title' => 'Profil & Präferenzen', + 'profile' => 'Profil', + 'account' => 'Konto', + 'email_preferences' => 'E-Mail-Einstellungen', + 'calendars' => [ + 'title' => 'Kalendarien', + 'explainer' => 'Sie können jetzt Ereignisse mit Ihrer persönlichen Kalenderanwendung verfolgen, indem Sie die unten stehenden Kalender-Feeds abonnieren. Sie können so viele Kalender abonnieren, wie Sie möchten.', + 'find_out_more' => 'Mehr erfahren', + 'my_events' => 'Meine Veranstaltungen', + 'copy_link' => 'Link kopieren', + 'group_calendars' => 'Gruppen-Kalender', + 'all_events' => 'Alle Ereignisse (nur für Administratoren)', + 'events_by_area' => 'Veranstaltungen nach Bereich', + ], + 'name' => 'Name', + 'country' => 'Land', + 'email_address' => 'E-Mail Adresse', + 'save_profile' => 'Profil speichern', + 'view_profile' => 'Profil ansehen', + 'view_user_profile' => 'Benutzerprofil anzeigen', + 'repair_directory' => 'Reparatur-Verzeichnis', + 'repair_dir_role' => 'Reparaturverzeichnis Rolle', + 'repair_dir_none' => 'Kein Zugang', + 'repair_dir_editor' => 'Herausgeber', + 'repair_dir_regional_admin' => 'Regionale Verwaltung', + 'repair_dir_superadmin' => 'SuperAdmin', + 'password_old_mismatch' => 'Aktuelles Passwort stimmt nicht überein!', + 'password_new_mismatch' => 'Neue Passwörter stimmen nicht überein!', + 'password_changed' => 'Benutzer-Passwort aktualisiert!', + 'profile_updated' => 'Benutzerprofil aktualisiert!', + 'preferences_updated' => 'Benutzerpräferenzen aktualisiert!', + 'soft_deleted' => 'das Konto von :name wurde sanft gelöscht.', + 'picture_success' => 'Profilbild aktualisiert!', + 'picture_error' => 'Profilbild konnte nicht hochgeladen werden!', + 'admin_success' => 'Admin-Einstellungen aktualisiert', + 'create_success' => 'Benutzer erfolgreich angelegt!', ]; diff --git a/lang/instances/base/de/registration.php b/lang/instances/base/de/registration.php index ea550ea427..9b544e0fb1 100644 --- a/lang/instances/base/de/registration.php +++ b/lang/instances/base/de/registration.php @@ -1,37 +1,37 @@ 'Year of birth', - 'age_help' => 'To help spread community repair, we need greater insights into intergenerational dynamics.', - 'age_validation' => 'Please add your year of birth.', - 'country' => 'Country', - 'country_help' => 'Knowing where volunteers are based helps to grow the global community.', - 'country_validation' => 'Please add your country.', - 'gender' => 'Gender (Optional)', - 'gender_help' => 'Sharing your gender identity can help the community learn how to promote diversity, but we understand not everybody wants to share.', - 'town-city' => 'Town/City (Optional)', - 'town-city_help' => 'Town/city helps match volunteers to groups and to find local events.', - 'town-city-placeholder' => 'E.g. Paris, London, Brussels', - 'reg-step-1-heading' => 'What skills would you like to share with others?', - 'reg-step-2-heading' => 'Tell us a little bit about yourself', - 'reg-step-3-heading' => 'How would you like us to keep in touch?', - 'reg-step-4-heading' => 'Uses of the data you enter', - 'reg-step-1-1' => 'This is optional but helps us to improve your experience and helps organise events. You can change these later in your profile.', - 'reg-step-2-1' => 'This information is useful for us to serve the community better. Of your personal data, only your skills, town/city and name will be visible to other community members.', - 'reg-step-2-2' => 'To create an account, you must set a password', - 'reg-step-3-1a' => 'We can send you email updates about events and groups related to you, and about Restart Project activities in general.', - 'reg-step-3-2b' => 'Following registration, you will receive a short series of welcome emails. You can also opt-in to other communications below.', - 'reg-step-4' => 'Please give your consent to our uses of the data that you enter.', - 'reg-step-3-label1' => 'I would like to receive The Restart Project monthly newsletter', - 'reg-step-3-label2' => 'I would like to receive email notifications about events or groups near me', - 'reg-step-4-label1' => 'Personal Data. I consent for The Restart Project to use my personal data internally for the purposes of registering me in the community, verifying the source of repair data and improving the volunteer experience. I understand that my personal profile will be visible to other community members, however personal data provided will never be shared with third parties without my consent. I understand I can delete my profile and all my personal data at any time - and access the community Privacy Policy here.', - 'reg-step-4-label2' => 'Repair Data. By contributing repair data to the Fixometer, I give The Restart Project a perpetual royalty-free license to use it. The license allows Restart to distribute the data under any open license and to retain any non-personal data even in case I request deletion of my personal profile on the Fixometer. (Read more about how we use repair data here.)', - 'reg-step-4-label3' => 'Historical Repair Data. I give a perpetual royalty-free license to any of my previous repair data contributions to The Restart Project. The license allows Restart to distribute the data under any open license and to retain any non-personal data even in case I request deletion of my personal profile on the Fixometer. (Read more about how we use repair data here.)', - 'next-step' => 'Next step', - 'complete-profile' => 'Complete my profile', - 'previous-step' => 'Previous step', - 'step-1' => 'Step 1 of 4', - 'step-2' => 'Step 2 of 4', - 'step-3' => 'Step 3 of 4', - 'step-4' => 'Step 4 of 4', + 'reg-step-1-heading' => 'Welche Fähigkeiten würden Sie gerne mit anderen teilen?', + 'town-city-placeholder' => 'Z.B. Paris, London, Brüssel', + 'reg-step-3-label1' => 'Ich möchte den monatlichen Newsletter von The Restart Project erhalten', + 'reg-step-3-label2' => 'Ich möchte per E-Mail über Veranstaltungen oder Gruppen in meiner Nähe benachrichtigt werden', + 'reg-step-4-label1' => 'Persönliche Daten. Ich erkläre mich damit einverstanden, dass The Restart Project meine persönlichen Daten intern verwendet, um mich in der Gemeinschaft zu registrieren, die Quelle der Reparaturdaten zu verifizieren und die Erfahrungen der Freiwilligen zu verbessern. Ich bin mir bewusst, dass mein persönliches Profil für andere Mitglieder der Gemeinschaft sichtbar sein wird, jedoch werden die angegebenen persönlichen Daten niemals ohne meine Zustimmung an Dritte weitergegeben. Mir ist bekannt, dass ich mein Profil und alle meine persönlichen Daten jederzeit löschen kann - und dass ich hierdie Datenschutzbestimmungen der Gemeinschaft einsehen kann.', + 'reg-step-4-label2' => 'Reparaturdaten. Indem ich Reparaturdaten zum Fixometer beisteuere, gewähre ich dem Restart-Projekt eine unbefristete, gebührenfreie Lizenz zur Nutzung dieser Daten. Die Lizenz erlaubt es Restart, die Daten unter jeder offenen Lizenz zu verbreiten und alle nicht-personenbezogenen Daten zu behalten, auch wenn ich die Löschung meines persönlichen Profils im Fixometer beantrage. (Lesen Sie hiermehr darüber, wie wir Reparaturdaten verwenden)', + 'reg-step-4-label3' => 'Historische Reparaturdaten. Ich gewähre eine unbefristete, gebührenfreie Lizenz für alle meine früheren Reparaturdaten, die ich dem Restart-Projekt zur Verfügung gestellt habe. Die Lizenz erlaubt es Restart, die Daten unter jeder offenen Lizenz zu verbreiten und alle nicht-persönlichen Daten zu behalten, auch wenn ich die Löschung meines persönlichen Profils auf dem Fixometer beantrage. (Lesen Sie hiermehr darüber, wie wir Reparaturdaten verwenden)', + 'complete-profile' => 'Mein Profil vervollständigen', + 'age' => 'Jahr der Geburt', + 'age_help' => 'Um die Reparatur des Gemeinwesens voranzutreiben, müssen wir die Dynamik zwischen den Generationen besser verstehen.', + 'age_validation' => 'Bitte geben Sie Ihr Geburtsjahr an.', + 'country' => 'Land', + 'country_help' => 'Zu wissen, wo sich Freiwillige aufhalten, trägt dazu bei, die globale Gemeinschaft zu vergrößern.', + 'country_validation' => 'Bitte fügen Sie Ihr Land hinzu.', + 'gender' => 'Geschlecht (fakultativ)', + 'gender_help' => 'Das Mitteilen der eigenen Geschlechtsidentität kann der Gemeinschaft helfen zu lernen, wie man Vielfalt fördert, aber wir verstehen, dass nicht jeder dies tun möchte.', + 'town-city' => 'Stadt (fakultativ)', + 'town-city_help' => 'Die Stadt/Stadt hilft bei der Vermittlung von Freiwilligen an Gruppen und bei der Suche nach lokalen Veranstaltungen.', + 'reg-step-2-heading' => 'Erzählen Sie uns ein wenig über sich selbst', + 'reg-step-3-heading' => 'Wie möchten Sie, dass wir in Kontakt bleiben?', + 'reg-step-4-heading' => 'Verwendung der von Ihnen eingegebenen Daten', + 'reg-step-1-1' => 'Diese Angaben sind freiwillig, helfen uns aber, Ihre Erfahrungen zu verbessern und Veranstaltungen zu organisieren. Sie können diese Angaben später in Ihrem Profil ändern.', + 'reg-step-2-1' => 'Diese Informationen sind nützlich, damit wir der Gemeinschaft besser dienen können. Von Ihren persönlichen Daten werden nur Ihre Fähigkeiten, Ihre Stadt und Ihr Name für andere Community-Mitglieder sichtbar sein.', + 'reg-step-2-2' => 'Um ein Konto zu erstellen, müssen Sie ein Passwort festlegen', + 'reg-step-3-1a' => 'Wir können Ihnen per E-Mail aktuelle Informationen über Veranstaltungen und Gruppen, die Sie betreffen, sowie über die Aktivitäten des Restart-Projekts im Allgemeinen zusenden.', + 'reg-step-3-2b' => 'Nach der Registrierung erhalten Sie eine kurze Reihe von Willkommens-E-Mails. Im Folgenden können Sie sich auch für weitere Mitteilungen anmelden.', + 'reg-step-4' => 'Bitte geben Sie Ihr Einverständnis, dass wir die von Ihnen eingegebenen Daten verwenden dürfen.', + 'next-step' => 'Nächster Schritt', + 'previous-step' => 'Vorheriger Schritt', + 'step-1' => 'Schritt 1 von 4', + 'step-2' => 'Schritt 2 von 4', + 'step-3' => 'Schritt 3 von 4', + 'step-4' => 'Schritt 4 von 4', ]; diff --git a/lang/instances/base/de/reporting.php b/lang/instances/base/de/reporting.php index 0437b397f2..3cf1099ebb 100644 --- a/lang/instances/base/de/reporting.php +++ b/lang/instances/base/de/reporting.php @@ -1,11 +1,11 @@ 'Breakdown by country', - 'breakdown_by_city' => 'Breakdown by city', - 'breakdown_by_country_content' => 'Volunteer hours grouped by volunteer country.', - 'breakdown_by_city_content' => 'Volunteer hours grouped by the volunteer town/city (note: town/country is optional so may not be set for all volunteers).', - 'total_hours' => 'Total hours', - 'country_name' => 'Country name', - 'town_city_name' => 'Town/city name', + 'breakdown_by_country' => 'Aufschlüsselung nach Ländern', + 'breakdown_by_city' => 'Aufschlüsselung nach Städten', + 'breakdown_by_country_content' => 'Freiwilligenstunden gruppiert nach Freiwilligenländern.', + 'breakdown_by_city_content' => 'Freiwilligenstunden, gruppiert nach der Stadt des Freiwilligen (Hinweis: Stadt/Land ist fakultativ und kann nicht für alle Freiwilligen angegeben werden).', + 'country_name' => 'Name des Landes', + 'town_city_name' => 'Name der Gemeinde/Stadt', + 'total_hours' => 'Stunden insgesamt', ]; diff --git a/lang/instances/base/de/skills.php b/lang/instances/base/de/skills.php new file mode 100644 index 0000000000..6fbe9808ea --- /dev/null +++ b/lang/instances/base/de/skills.php @@ -0,0 +1,7 @@ + 'Skill erfolgreich erstellt!', + 'update_success' => 'Skill erfolgreich aktualisiert!', + 'delete_success' => 'Skill erfolgreich gelöscht!', +]; diff --git a/lang/instances/base/es/admin.php b/lang/instances/base/es/admin.php new file mode 100644 index 0000000000..f0043e7586 --- /dev/null +++ b/lang/instances/base/es/admin.php @@ -0,0 +1,43 @@ + 'Categorías', + 'skills' => 'Habilidades', + 'brand' => 'Marca', + 'create-new-category' => 'Crear una nueva categoría', + 'category_name' => 'Nombre de la categoría', + 'skill_name' => 'Nombre de la habilidad', + 'delete-skill' => 'Eliminar habilidad', + 'create-new-skill' => 'Crear una nueva habilidad', + 'create-new-tag' => 'Crear nueva etiqueta', + 'create-new-brand' => 'Crear una nueva marca', + 'skills_modal_title' => 'Añadir nueva habilidad', + 'tags_modal_title' => 'Añadir nueva etiqueta', + 'brand_modal_title' => 'Añadir nueva marca', + 'category_cluster' => 'Categoría Cluster', + 'weight' => 'Peso (kg)', + 'co2_footprint' => 'CO2Huella (kg)', + 'reliability' => 'Fiabilidad', + 'reliability-1' => 'Muy pobre', + 'reliability-2' => 'Pobre', + 'reliability-3' => 'Feria', + 'reliability-4' => 'Bien', + 'reliability-5' => 'Muy buena', + 'reliability-6' => 'N/A', + 'description' => 'Descripción', + 'description_optional' => 'Descripción (opcional)', + 'save-category' => 'Guardar categoría', + 'edit-category' => 'Editar categoría', + 'save-skill' => 'Guardar habilidad', + 'edit-skill' => 'Editar habilidad', + 'edit-category-content' => '', + 'edit-skill-content' => '', + 'group-tags' => 'Etiquetas de grupo', + 'delete-tag' => 'Borrar etiqueta', + 'save-tag' => 'Guardar etiqueta', + 'save-brand' => 'Guardar marca', + 'tag-name' => 'Nombre de la etiqueta', + 'brand-name' => 'Marca', + 'edit-brand' => 'Editar marca', + 'edit-brand-content' => '', +]; diff --git a/lang/instances/base/es/auth.php b/lang/instances/base/es/auth.php new file mode 100644 index 0000000000..5455bc81f8 --- /dev/null +++ b/lang/instances/base/es/auth.php @@ -0,0 +1,34 @@ + 'Ya existe una cuenta con esta dirección de correo electrónico. ¿Ha intentado iniciar sesión?', + 'login' => 'Inicio de sesión', + 'delete_account' => 'Eliminar cuenta', + 'failed' => 'Esta dirección de correo electrónico no está registrada en el sistema o la contraseña es incorrecta.', + 'email_address' => 'Dirección de correo electrónico', + 'sign_in' => 'Me acordé. Déjame entrar', + 'forgotten_pw' => '¿Ha olvidado su contraseña?', + 'forgotten_pw_text' => 'Nos pasa a todos. Solo tienes que introducir tu correo electrónico para recibir un mensaje de restablecimiento de contraseña.', + 'reset' => 'Restablecer', + 'password' => 'Contraseña', + 'repeat_password' => 'Repetir contraseña', + 'repeat_password_validation' => 'Las contraseñas no coinciden o tienen menos de seis caracteres', + 'forgot_password' => 'Contraseña olvidada', + 'change_password' => 'Cambiar contraseña', + 'change_password_text' => 'Mantenga su cuenta segura y cambie regularmente su contraseña.', + 'reset_password' => 'Restablecer contraseña', + 'create_account' => 'Crear una cuenta', + 'current_password' => 'Contraseña actual', + 'new_password' => 'Nueva contraseña', + 'new_repeat_password' => 'Repetir nueva contraseña', + 'delete_account_text' => 'Entiendo que borrar mi cuenta eliminará todos mis datos personales y +se trata de una acción permanente.', + 'save_preferences' => 'Guardar preferencias', + 'set_preferences' => 'Haga clic aquí para establecer sus preferencias de correo electrónico para nuestra plataforma de debate', + 'profile_admin' => 'Sólo para administradores', + 'profile_admin_text' => 'Aquí los administradores tienen la posibilidad de cambiar el rol de un usuario o sus grupos asociados', + 'user_role' => 'Función del usuario', + 'assigned_groups' => 'Asignados a grupos', + 'save_user' => 'Guardar usuario', + 'login_before_using_shareable_link' => 'Para completar tu invitación, crea una cuenta a continuación, o si ya tienes una cuentainicia sesión aquí.', +]; diff --git a/lang/instances/base/es/brands.php b/lang/instances/base/es/brands.php new file mode 100644 index 0000000000..6ba6020b8a --- /dev/null +++ b/lang/instances/base/es/brands.php @@ -0,0 +1,7 @@ + 'Marca creada con éxito', + 'update_success' => '¡Marca actualizada con éxito!', + 'delete_success' => '¡Marca borrada!', +]; diff --git a/lang/instances/base/es/calendars.php b/lang/instances/base/es/calendars.php new file mode 100644 index 0000000000..48d5e782c4 --- /dev/null +++ b/lang/instances/base/es/calendars.php @@ -0,0 +1,7 @@ + 'Más información', + 'see_all_calendars' => 'Ver todos mis calendarios', + 'add_to_calendar' => 'Añadir al calendario', +]; diff --git a/lang/instances/base/es/category.php b/lang/instances/base/es/category.php new file mode 100644 index 0000000000..88a5e7d779 --- /dev/null +++ b/lang/instances/base/es/category.php @@ -0,0 +1,6 @@ + 'Categoría actualizada', + 'update_error' => 'No se ha podido actualizar la categoría', +]; diff --git a/lang/instances/base/es/countries.php b/lang/instances/base/es/countries.php new file mode 100644 index 0000000000..7057feccbb --- /dev/null +++ b/lang/instances/base/es/countries.php @@ -0,0 +1,253 @@ + 'Afganistán', + 'AX' => 'Islas Åland', + 'AL' => 'Albania', + 'DZ' => 'Argelia', + 'AS' => 'Samoa Americana', + 'AD' => 'Andorra', + 'AO' => 'Angola', + 'AI' => 'Anguila', + 'AQ' => 'Antártida', + 'AG' => 'Antigua y Barbuda', + 'AR' => 'Argentina', + 'AM' => 'Armenia', + 'AW' => 'Aruba', + 'AU' => 'Australia', + 'AT' => 'Austria', + 'AZ' => 'Azerbaiyán', + 'BS' => 'Bahamas', + 'BH' => 'Bahréin', + 'BD' => 'Bangladesh', + 'BB' => 'Barbados', + 'BY' => 'Bielorrusia', + 'BE' => 'Bélgica', + 'BZ' => 'Belice', + 'BJ' => 'Benín', + 'BM' => 'Bermudas', + 'BT' => 'Bután', + 'BO' => 'Bolivia, Estado Plurinacional de', + 'BQ' => 'Bonaire, San Eustaquio y Saba', + 'BA' => 'Bosnia y Herzegovina', + 'BW' => 'Botsuana', + 'BV' => 'Isla Bouvet', + 'BR' => 'Brasil', + 'IO' => 'Territorio Británico del Océano Índico', + 'BN' => 'Brunei Darussalam', + 'BG' => 'Bulgaria', + 'BF' => 'Burkina Faso', + 'BI' => 'Burundi', + 'KH' => 'Camboya', + 'CM' => 'Camerún', + 'CA' => 'Canadá', + 'CV' => 'Cabo Verde', + 'KY' => 'Islas Caimán', + 'CF' => 'República Centroafricana', + 'TD' => 'Chad', + 'CL' => 'Chile', + 'CN' => 'China', + 'CX' => 'Isla de Navidad', + 'CC' => 'Islas Cocos (Keeling)', + 'CO' => 'Colombia', + 'KM' => 'Comoras', + 'CG' => 'Congo', + 'CD' => 'Congo, República Democrática del', + 'CK' => 'Islas Cook', + 'CR' => 'Costa Rica', + 'CI' => 'Costa de Marfil', + 'HR' => 'Croacia', + 'CU' => 'Cuba', + 'CW' => 'Curaçao', + 'CY' => 'Chipre', + 'CZ' => 'República Checa', + 'DK' => 'Dinamarca', + 'DJ' => 'Yibuti', + 'DM' => 'Dominica', + 'DO' => 'República Dominicana', + 'EC' => 'Ecuador', + 'EG' => 'Egipto', + 'SV' => 'El Salvador', + 'GQ' => 'Guinea Ecuatorial', + 'ER' => 'Eritrea', + 'EE' => 'Estonia', + 'ET' => 'Etiopía', + 'FK' => 'Islas Malvinas (Falkland Islands)', + 'FO' => 'Islas Feroe', + 'FJ' => 'Fiyi', + 'FI' => 'Finlandia', + 'FR' => 'Francia', + 'GF' => 'Guayana Francesa', + 'PF' => 'Polinesia Francesa', + 'TF' => 'Territorios Australes Franceses', + 'GA' => 'Gabón', + 'GM' => 'Gambia', + 'GE' => 'Georgia', + 'DE' => 'Alemania', + 'GH' => 'Ghana', + 'GI' => 'Gibraltar', + 'GR' => 'Grecia', + 'GL' => 'Groenlandia', + 'GD' => 'Granada', + 'GP' => 'Guadalupe', + 'GU' => 'Guam', + 'GT' => 'Guatemala', + 'GG' => 'Guernsey', + 'GN' => 'Guinea', + 'GW' => 'Guinea-Bissau', + 'GY' => 'Guyana', + 'HT' => 'Haití', + 'HM' => 'Islas Heard y McDonald', + 'VA' => 'Santa Sede (Estado de la Ciudad del Vaticano)', + 'HN' => 'Honduras', + 'HK' => 'Hong Kong', + 'HU' => 'Hungría', + 'IS' => 'Islandia', + 'IN' => 'India', + 'ID' => 'Indonesia', + 'IR' => 'Irán, República Islámica del', + 'IQ' => 'Iraq', + 'IE' => 'Irlanda', + 'IM' => 'Isla de Man', + 'IL' => 'Israel', + 'IT' => 'Italia', + 'JM' => 'Jamaica', + 'JP' => 'Japón', + 'JE' => 'Jersey', + 'JO' => 'Jordan', + 'KZ' => 'Kazajstán', + 'KE' => 'Kenia', + 'KI' => 'Kiribati', + 'KP' => 'Corea, República Popular Democrática de', + 'KR' => 'Corea del Sur', + 'KW' => 'Kuwait', + 'KG' => 'Kirguistán', + 'LA' => 'República Democrática Popular Lao', + 'LV' => 'Letonia', + 'LB' => 'Líbano', + 'LS' => 'Lesotho', + 'LR' => 'Liberia', + 'LY' => 'Libia', + 'LI' => 'Liechtenstein', + 'LT' => 'Lituania', + 'LU' => 'Luxemburgo', + 'MO' => 'Macao', + 'MK' => 'Macedonia, Antigua República Yugoslava de', + 'MG' => 'Madagascar', + 'MW' => 'Malawi', + 'MY' => 'Malasia', + 'MV' => 'Maldivas', + 'ML' => 'Mali', + 'MT' => 'Malta', + 'MH' => 'Islas Marshall', + 'MQ' => 'Martinica', + 'MR' => 'Mauritania', + 'MU' => 'Mauricio', + 'YT' => 'Mayotte', + 'MX' => 'México', + 'FM' => 'Micronesia, Estados Federados de', + 'MD' => 'Moldavia, República de', + 'MC' => 'Mónaco', + 'MN' => 'Mongolia', + 'ME' => 'Montenegro', + 'MS' => 'Montserrat', + 'MA' => 'Marruecos', + 'MZ' => 'Mozambique', + 'MM' => 'Myanmar', + 'NA' => 'Namibia', + 'NR' => 'Nauru', + 'NP' => 'Nepal', + 'NL' => 'Países Bajos', + 'NC' => 'Nueva Caledonia', + 'NZ' => 'Aotearoa Nueva Zelanda', + 'NI' => 'Nicaragua', + 'NE' => 'Níger', + 'NG' => 'Nigeria', + 'NU' => 'Niue', + 'NF' => 'Isla de Norfolk', + 'MP' => 'Islas Marianas del Norte', + 'NO' => 'Noruega', + 'OM' => 'Omán', + 'PK' => 'Pakistán', + 'PW' => 'Palau', + 'PS' => 'Territorio Palestino Ocupado', + 'PA' => 'Panamá', + 'PG' => 'Papúa Nueva Guinea', + 'PY' => 'Paraguay', + 'PE' => 'Perú', + 'PH' => 'Filipinas', + 'PN' => 'Pitcairn', + 'PL' => 'Polonia', + 'PT' => 'Portugal', + 'PR' => 'Puerto Rico', + 'QA' => 'Qatar', + 'RE' => 'Reunión', + 'RO' => 'Rumanía', + 'RU' => 'Federación de Rusia', + 'RW' => 'Ruanda', + 'BL' => 'San Bartolomé', + 'SH' => 'Santa Elena, Ascensión y Tristán da Cunha', + 'KN' => 'San Cristóbal y Nieves', + 'LC' => 'Santa Lucía', + 'MF' => 'San Martín (parte francesa)', + 'PM' => 'San Pedro y Miquelón', + 'VC' => 'San Vicente y las Granadinas', + 'WS' => 'Samoa', + 'SM' => 'San Marino', + 'ST' => 'Santo Tomé y Príncipe', + 'SA' => 'Arabia Saudí', + 'SN' => 'Senegal', + 'RS' => 'Serbia', + 'SC' => 'Seychelles', + 'SL' => 'Sierra Leona', + 'SG' => 'Singapur', + 'SX' => 'San Martín (parte neerlandesa)', + 'SK' => 'Eslovaquia', + 'SI' => 'Eslovenia', + 'SB' => 'Islas Salomón', + 'SO' => 'Somalia', + 'ZA' => 'Sudáfrica', + 'GS' => 'Georgia del Sur y las islas Sandwich del Sur', + 'SS' => 'Sudán del Sur', + 'ES' => 'España', + 'LK' => 'Sri Lanka', + 'SD' => 'Sudán', + 'SR' => 'Surinam', + 'SJ' => 'Svalbard y Jan Mayen', + 'SZ' => 'Suazilandia', + 'SE' => 'Suecia', + 'CH' => 'Suiza', + 'SY' => 'República Árabe Siria', + 'TW' => 'Taiwán', + 'TJ' => 'Tayikistán', + 'TZ' => 'Tanzania, República Unida de', + 'TH' => 'Tailandia', + 'TL' => 'Timor Oriental', + 'TG' => 'Togo', + 'TK' => 'Tokelau', + 'TO' => 'Tonga', + 'TT' => 'Trinidad y Tobago', + 'TN' => 'Túnez', + 'TR' => 'Turquía', + 'TM' => 'Turkmenistán', + 'TC' => 'Islas Turcas y Caicos', + 'TV' => 'Tuvalu', + 'UG' => 'Uganda', + 'UA' => 'Ucrania', + 'AE' => 'Emiratos Árabes Unidos', + 'GB' => 'Reino Unido', + 'US' => 'Estados Unidos', + 'UM' => 'Islas periféricas menores de Estados Unidos', + 'UY' => 'Uruguay', + 'UZ' => 'Uzbekistán', + 'VU' => 'Vanuatu', + 'VE' => 'Venezuela, República Bolivariana de', + 'VN' => 'Vietnam', + 'VG' => 'Islas Vírgenes Británicas', + 'VI' => 'Islas Vírgenes, EE.UU.', + 'WF' => 'Wallis y Futuna', + 'EH' => 'Sáhara Occidental', + 'YE' => 'Yemen', + 'ZM' => 'Zambia', + 'ZW' => 'Zimbabue', +]; diff --git a/lang/instances/base/es/dashboard.php b/lang/instances/base/es/dashboard.php new file mode 100644 index 0000000000..6069e8edff --- /dev/null +++ b/lang/instances/base/es/dashboard.php @@ -0,0 +1,47 @@ + 'dispositivos registrados', + 'getting_started_header' => 'Cómo empezar', + 'visit_wiki' => 'Visite la wiki', + 'discussion_header' => 'Conozca a la comunidad', + 'log_devices' => 'Dispositivos de registro', + 'title' => 'Bienvenido a Restarters', + 'groups_near_you_header' => 'Grupos cercanos', + 'groups_near_you_text' => 'Siga a un grupo de reparación para saber más sobre la reparación comunitaria en su zona.', + 'groups_near_you_see_more' => 'Ver más grupos', + 'groups_near_you_follow_action' => 'Siga', + 'groups_near_you_none_nearby' => 'Actualmente no hay grupos cerca de ti que se hayan añadido a Restarters.net.', + 'groups_near_you_start_a_group' => '¿Desea crear o añadir un grupo? Más información.', + 'groups_near_you_set_location' => 'Establece tu ciudadpara ayudarnos a encontrar grupos cerca de ti.', + 'groups_near_you_your_location_is' => 'Tu pueblo/ciudad está actualmente configurado en :ubicación.', + 'your_networks' => 'Sus redes', + 'networks_you_coordinate' => 'Visualiza las redes que coordinas.', + 'catch_up' => 'Póngase al día con sus grupos haciendo clic a continuación.', + 'your_groups_heading' => 'Sus grupos', + 'groups_heading' => 'Grupos', + 'sidebar_intro_1' => 'Somos una comunidad mundial de personas que organizan eventos locales de reparación y hacen campaña por nuestro Derecho a Reparar. Restarters.net es nuestra herramienta gratuita de código abierto.', + 'sidebar_kit1' => 'Consulte nuestro', + 'sidebar_kit2' => 'kit gratuito de planificación de eventos', + 'sidebar_help' => 'Estamos aquí para ayudarle con todas sus preguntas sobre alojamiento.', + 'sidebar_let_us_know' => 'Háganoslo saber', + 'getting_the_most' => 'Cómo empezar', + 'getting_the_most_intro' => 'Restarters.net es una plataforma gratuita de código abierto para una comunidad mundial de personas que organizan eventos locales de reparación y hacen campaña por nuestro Derecho a Reparar.', + 'getting_the_most_bullet1' => 'Ponte a arreglar:sigue al grupo de reparación de tu comunidad más cercanay repasa o comparte tus habilidades con nuestrowiki de reparación.', + 'getting_the_most_bullet2' => 'Organízate:aprende a organizar un evento de reparacióny/opide ayuda a la comunidad en Talk.', + 'getting_the_most_bullet3' => 'Ponte a chatear:ponte al día de las últimas conversacionesen nuestro foro, Talk. ¿Por qué note presentas tú también?', + 'getting_the_most_bullet4' => 'Sea analítico: vea nuestro impacto enel Fijómetro.', + 'upcoming_events_title' => 'Próximos eventos', + 'upcoming_events_subtitle' => 'Los próximos eventos de sus grupos:', + 'add_event' => 'Añadir', + 'add_data_heading' => 'Añadir datos', + 'see_your_impact' => 'Y vea su impacto en el Fixómetro', + 'add_data_add' => 'Añadir', + 'newly_added' => 'Recién añadido: ¡grupo de recuento en su zona! Recién añadido: ¡grupo de recuento en su zona!', + 'no_groups' => 'Aún no hay grupos en tu zona.Cualquiera que tenga interés y cierta capacidad de organización puede crear un grupo comunitario de reparación. Echa un vistazo a nuestrokit de planificación de eventoso consulta nuestrosrecursos para colegios.
Una vez que estés listo para crear un grupo, sólo tienes que crearlo en lapágina de Grupos Grupos. Y si necesitas ayuda, pregúntanos en el foro,Charla.', + 'see_all_groups_near_you' => 'Ver todos los grupos cerca de ti →', + 'see_all_groups' => 'Ver todos los grupos', + 'no_groups_intro' => 'Hay grupos comunitariosen todo el mundo. Puedes seguir a cualquiera de ellos para que te avisen cuando organicen eventos.', +]; diff --git a/lang/instances/base/es/device-audits.php b/lang/instances/base/es/device-audits.php new file mode 100644 index 0000000000..884a8ae41c --- /dev/null +++ b/lang/instances/base/es/device-audits.php @@ -0,0 +1,46 @@ + 'No se han realizado cambios en este dispositivo', + 'created' => [ + 'metadata' => 'En :audit_created_at, :user_name creó el registro:audit_url', + 'modified' => [ + 'event' => 'Eventoestablecido como \":nuevo\"', + 'category' => 'Categoríaestablecida como \":nuevo\"', + 'category_creation' => 'Creación de categoríaestablecida como \":nuevo\"', + 'estimate' => 'Estimateset as \":new\"', + 'repair_status' => 'Estado de reparaciónestablecido como \":nuevo\"', + 'spare_parts' => 'Piezas de recambioestablecidas como \":nuevo\"', + 'brand' => 'Marcaestablecida como \":nuevo\"', + 'model' => 'Modeloestablecido como \":nuevo\"', + 'age' => 'Edadestablecido como \":nuevo\"', + 'problem' => 'Problemaestablecido como \":nuevo\"', + 'repaired_by' => 'Reparado porestablecido como \":nuevo\"', + 'do_it_yourself' => 'Hágalo usted mismoestablecer como \":nuevo\"', + 'professional_help' => 'Ayuda Profesionalset as \":new\"', + 'more_time_needed' => 'Se necesita más tiempoestablecido como \":nuevo\"', + 'wiki' => 'Wikiestablecido como \":nuevo\"', + 'iddevices' => 'ID de dispositivoestablecido como \":nuevo\"', + ], + ], + 'updated' => [ + 'metadata' => 'En :audit_created_at, :user_name actualizó el registro:audit_url', + 'modified' => [ + 'event' => 'Eventofue modificado de \":old\" a \":new\"', + 'category' => 'La categoríafue modificada de \":antiguo\" a \":nuevo\"', + 'category_creation' => 'Creación de categoríase modificó de \":antiguo\" a \":nuevo\"', + 'estimate' => 'Estimaciónfue modificado de \":old\" a \":new\"', + 'repair_status' => 'Estado de reparaciónfue modificado de \":antiguo\" a \":nuevo\"', + 'spare_parts' => 'Repuestosse modificó de \":viejo\" a \":nuevo\"', + 'brand' => 'La marcafue modificada de \":antiguo\" a \":nuevo\"', + 'model' => 'El modelofue modificado de \":antiguo\" a \":nuevo\"', + 'age' => 'Edadse modificó de \":antiguo\" a \":nuevo\"', + 'problem' => 'Problemafue modificado de \":antiguo\" a \":nuevo\"', + 'repaired_by' => 'Reparado porfue modificado de \":antiguo\" a \":nuevo\"', + 'do_it_yourself' => 'Do it yourselffue modificado de \":antiguo\" a \":nuevo\"', + 'professional_help' => 'Ayuda profesionalse modificó de \":antiguo\" a \":nuevo\"', + 'more_time_needed' => 'Se necesita más tiempofue modificado de \":old\" a \":new\"', + 'wiki' => 'Wikifue modificado de \":old\" a \":new\"', + ], + ], +]; diff --git a/lang/instances/base/es/devices.php b/lang/instances/base/es/devices.php new file mode 100644 index 0000000000..7cc5dda2b1 --- /dev/null +++ b/lang/instances/base/es/devices.php @@ -0,0 +1,81 @@ + 'Reparaciones', + 'export_device_data' => 'Descargar todos los datos', + 'export_event_data' => 'Descargar datos de eventos', + 'export_group_data' => 'Descargar datos de reparación', + 'category' => 'Categoría', + 'group' => 'Grupo', + 'from_date' => 'De fecha', + 'to_date' => 'Hasta la fecha', + 'brand' => 'Marca', + 'brand_if_known' => 'Marca (si se conoce)', + 'model' => 'Modelo', + 'model_if_known' => 'Modelo (si se conoce)', + 'repair' => 'Fecha de reparación', + 'repair_status' => 'Estado de la reparación', + 'repair_details' => 'Próximos pasos', + 'graphic-comment' => 'Comentario', + 'graphic-camera' => 'Cámara', + 'fixed' => 'Fijo', + 'repairable' => 'Reparable', + 'age' => 'Edad', + 'devices_description' => 'Descripción del problema/solución', + 'delete_device' => 'Borrar dispositivo', + 'devices_date' => 'Fecha', + 'event_info' => 'Información del evento', + 'fixometer' => 'Fijómetro', + 'global_impact' => 'Nuestro impacto mundial', + 'group_prevented' => 'evitó:¡cantidad kgde residuos!', + 'huge_impact' => 'Los reparadores de todo el mundo están teniendo un gran impacto', + 'huge_impact_2' => 'Busca tus datos de reparación a continuación y hazte una idea del impacto de la reparación, así como de las barreras a las que nos enfrentamos cuando reparamos. Puedes ayudarnos a entender qué más nos dicen estos datos y qué cambios deberíamos promover en el debate sobre datos de reparaciónde nuestro foro.', + 'add_data_button' => 'Añadir datos', + 'add_data_title' => 'Añadir datos', + 'add_data_description' => 'Añadir datos de reparación ayuda a mostrar el impacto de la reparación.', + 'search_text' => 'Navegue o busque en nuestra base de datos mundial de reparaciones.', + 'add_data_action_button' => 'Ir al evento', + 'repair_records' => 'Registros de reparaciones', + 'images' => 'Imágenes', + 'model_or_type' => 'Artículo', + 'repair_outcome' => '¿Resultado de la reparación?', + 'powered_items' => 'elementos accionados', + 'unpowered_items' => 'artículos sin alimentación', + 'weight' => 'Peso', + 'required_impact' => 'kg - necesario para calcular el impacto medioambiental', + 'optional_impact' => 'kg - se utiliza para afinar el cálculo del impacto ambiental (opcional)', + 'age_approx' => 'años (aproximados si se desconocen)', + 'tooltip_category' => 'Elija la categoría que mejor se adapte a este artículo.Más información sobre estas categorías...', + 'tooltip_model' => 'Añade aquí toda la información que puedas sobre el modelo concreto de dispositivo (por ejemplo, \'Galaxy S10 5G\'). Déjalo vacío si no conoces el modelo.', + 'tooltip_problem' => '
Proporcione tantos detalles como pueda sobre el problema con el dispositivo y lo que se hizo para repararlo. For example:
Añada aquí cualquier detalle adicional, por ejemplo:
{Esto notificará a los voluntarios que asistieron a este evento que se han añadido datos de reparación y que podrían beneficiarse de contribuciones y revisiones adicionales.
También permitirá a los voluntarios saber que se pueden haber publicado fotos (incluidas las de los comentarios del libro de visitas).
¿Desea enviar estas notificaciones?
', + 'request_review_modal_heading' => 'Solicitar revisión', + 'send_requests' => 'Enviar', + 'cancel_requests' => 'Cancelar', + 'online_event' => 'EVENTO EN LÍNEA', + 'create_new_event_mobile' => 'Cree', + 'no_upcoming_for_your_groups' => 'Actualmente no hay próximos eventos para sus grupos', + 'youre_going' => '¡Te vas!', + 'online_event_question' => '¿Evento en línea?', + 'organised_by' => 'Organizado por :grupo', + 'event_actions' => 'Acciones', + 'request_review' => 'Solicitar revisión', + 'share_event_stats' => 'Compartir estadísticas de eventos', + 'invite_volunteers' => 'Invitar a voluntarios', + 'event_details' => 'Detalles', + 'event_photos' => 'Fotos', + 'environmental_impact' => 'Impacto medioambiental', + 'event_description' => 'Descripción', + 'event_attendance' => 'Asistencia', + 'confirmed' => 'Confirmado', + 'invited' => 'Invitado', + 'invite_to_join' => 'Invitar a participar en el acto', + 'editing' => 'Edición de :evento', + 'event_log' => 'Registro de sucesos', + 'add_new_event' => 'Añadir nuevo evento', + 'created_success_message' => '¡Evento creado! En breve será aprobado por un coordinador. Mientras tanto, puede seguir editándolo.', + 'items_fixed' => 'Elementos reparados', + 'not_counting' => 'No se tiene en cuenta para el impacto medioambiental de este evento es|No se tiene en cuenta para el impacto medioambiental de este evento es', + 'impact_calculation' => '
¿Cómo calculamos el impacto medioambiental?
+Hemos investigado el peso medio y el CO2e de productos de distintas categorías, desde smartphones hasta camisetas. Cuando introduces un artículo que has reparado, utilizamos estos promedios para estimar el impacto de esa reparación en función de la categoría del artículo.
En el caso de los artículos varios, utilizamos estos promedios para estimar el impacto de esa reparación en función de la categoría del artículo +
Para los artículos varios, aplicamos una relación genérica de CO2e a peso para estimar el impacto de cada reparación realizada con éxito.
{{HTMLTATA} +
Obtenga más información sobre cómo calculamos el impacto aquí
', + 'delete_event' => 'Suprimir evento', + 'confirmed_none' => 'No hay voluntarios confirmados.', + 'invited_none' => 'Aún no hay voluntarios invitados.', + 'view_map' => 'Ver mapa', + 'read_more' => 'LEER MÁSUsted no tiene actualmente un pueblo / ciudad establecido. Puedes establecer una entu perfil.
También puedesver todos los grupos.
', + 'no_groups_nearest_with_location' => 'No hay grupos a menos de 50 km de tu ubicación. Puedesver todos los grupos aquí. ¿O por qué no creas el tuyo propio?Aprenda lo que implica organizar su propio evento de reparación.
', + 'group_count' => 'Existe:grupo de recuento.|Existen :grupos de recuento.', + 'search_name_placeholder' => 'Buscar nombre...', + 'search_location_placeholder' => 'Buscar ubicación...', + 'search_country_placeholder' => 'País...', + 'search_tags_placeholder' => 'Etiqueta', + 'show_filters' => 'Mostrar filtros', + 'hide_filters' => 'Ocultar filtros', + 'leave_group_button' => 'Dejar de seguir al grupo', + 'leave_group_button_mobile' => 'Dejar de seguir', + 'leave_group_confirm' => 'Confirma que quieres dejar de seguir a este grupo.', + 'now_following' => '¡Ahora estás siguiendo:name!', + 'now_unfollowed' => 'Has dejado de seguir a:name.', + 'nearby' => 'Cerca de', + 'all' => 'Todos', + 'no_other_events' => 'En estos momentos no hay otros eventos próximos.', + 'no_other_nearby_events' => 'Actualmente no hay ningún otro evento cercano.', + 'postcode' => 'Grupo Código postal', + 'groups_postcode_small' => 'Esto tendrá prioridad sobre el código postal del lugar.', + 'override_postcode' => 'Anular código postal', + 'duplicate' => 'Ese nombre de grupo (:nombre) ya existe. Si es el tuyo, ve a la página de Grupos utilizando el menú y edítalo.', + 'create_failed' => 'Grupo podríanoser creado. Compruebe los errores notificados, corríjalos e inténtelo de nuevo.', + 'edit_failed' => 'No se ha podido editar el grupo.', + 'delete_group' => 'Borrar grupo', + 'archive_group' => 'Grupo de archivos', + 'archived_group' => 'Archivado', + 'archived_group_title' => 'Este grupo se archivó en :fecha.', + 'delete_group_confirm' => 'Por favor, confirme que desea borrar :nombre.', + 'archive_group_confirm' => 'Por favor, confirme que desea archivar :nombre.', + 'delete_succeeded' => 'Grupo:nombreha sido eliminado.', + 'nearest_groups' => 'Estos son los grupos que se encuentran a menos de 50 km de :ubicación', + 'nearest_groups_change' => '(cambio)', + 'invitation_pending' => 'Tiene una invitación para este grupo. Por favor, haga clic enaquísi desea unirse.', + 'geocode_failed' => 'Ubicación no encontrada. Si no puede encontrar la ubicación de su grupo, inténtelo con una ubicación más general (como pueblo/ciudad), o una dirección específica, en lugar del nombre del edificio.', + 'discourse_title' => 'Este es un grupo de discusión para cualquiera que siga :grupo. + +Encuentra la página principal del grupo aquí: :link. + +Aprende a usar este grupo aquí: :help.', + 'talk_group' => 'Ver conversación de grupo', + 'talk_group_add_title' => 'Bienvenido a :nombre_del_grupo', + 'talk_group_add_body' => '¡Gracias por seguir a :nombre_del_grupo! Ahora recibirás notificaciones cuando se planifiquen nuevos eventos y se añadirán a los mensajes del grupo.Aprende cómo funcionan los mensajes de grupo y cómo cambiar la configuración de las notificaciones.', + 'groups_location_placeholder' => 'Introduzca su dirección', + 'editing' => 'Edición de', + 'timezone' => 'Zona horaria', + 'timezone_placeholder' => 'Esto tendrá prioridad sobre la zona horaria del lugar.', + 'override_timezone' => 'Anular zona horaria', + 'you_have_joined' => 'Te has unido a:name', + 'groups_title_admin' => 'Grupos para moderar', + 'group_requires_moderation' => 'El grupo requiere moderación', + 'field_phone' => 'Número de teléfono', + 'phone_small' => '(Opcional)', + 'invite_success' => 'Invitaciones enviadas', + 'invite_success_apart_from' => 'Invitaciones enviadas - aparte de estos (:emails) que ya se han unido al grupo, ya se les ha enviado una invitación, o no han optado por recibir correos electrónicos.', + 'invite_invalid' => 'Algo ha ido mal: esta invitación no es válida o ha caducado.', + 'invite_confirmed' => '¡Excelente! Te has unido al grupo.', + 'follow_group_error' => 'No ha podido seguir a este grupo.', + 'create_event_first' => 'Por favor, cree primero un evento para poder añadir datos de reparación.', + 'follow_group_first' => 'Los datos de reparación se añaden a los eventos de reparación de la comunidad. Primero sigue a un grupo y luego elige un evento para añadir datos de reparación.', + 'export_event_list' => 'Descargar la lista de actos', + 'export' => [ + 'events' => [ + 'date' => 'Fecha', + 'event' => 'Evento', + 'group' => 'Grupo', + 'volunteers' => 'Voluntarios', + 'participants' => 'Participantes', + 'items_total' => 'Total de artículos', + 'items_fixed' => 'Elementos reparados', + 'items_repairable' => 'Artículos reparables', + 'items_end_of_life' => 'Artículos al final de su vida útil', + 'items_kg_waste_prevented' => 'kg de residuos evitados', + 'items_kg_co2_prevent' => 'kg CO2 evitados', + ], + ], +]; diff --git a/lang/instances/base/es/landing.php b/lang/instances/base/es/landing.php new file mode 100644 index 0000000000..102ee59324 --- /dev/null +++ b/lang/instances/base/es/landing.php @@ -0,0 +1,37 @@ + '¡Bienvenido a Restarters!', + 'intro' => 'Somos una red mundial de personas que ayudan a otras a reparar en actos comunitarios.', + 'join' => 'Únete a nosotros', + 'login' => 'Conectarse', + 'learn' => 'Aprender y compartir habilidades de reparación con otros', + 'landing_1_alt' => 'Habilidades de reparación (crédito Mark Phillips)', + 'landing_2_alt' => 'Fiesta de Reinicio (crédito Mark Phillips)', + 'landing_3_alt' => 'Restart Crowd (crédito Mark Phillips)', + 'repair_skills' => 'Refresque sus conocimientos de reparación con nuestra wiki de reparación', + 'repair_advice' => 'Obtener o compartir consejos de reparación en el foro', + 'repair_group' => 'Siga a su grupo local de reparación comunitaria', + 'repair_start' => 'Empezar a reparar', + 'organise' => 'Organizar actos comunitarios de reparación', + 'organise_advice' => 'Obtener asesoramiento y apoyo de otros organizadores', + 'organise_manage' => 'Gestione su grupo y encuentre voluntarios', + 'organise_publicise' => 'Publicite los actos de reparación y mida su impacto', + 'organise_start' => 'Empezar a organizar', + 'campaign' => 'Derribar las barreras a la reparación', + 'campaign_join' => 'Manténgase al día con el movimiento mundial por el Derecho a Reparar', + 'campaign_barriers' => 'Documentar los obstáculos a la reparación', + 'campaign_data' => 'Analizar los datos de reparación', + 'campaign_start' => 'Únete al movimiento', + 'need_more' => '¿Necesitas más?', + 'network' => 'Potencie su red', + 'network_blurb' => 'Si coordina una red de grupos comunitarios de reparación, también ofrecemos paquetes asequibles y personalizados para facilitarle el trabajo.', + 'network_tools' => 'Ofrezca a sus grupos acceso a herramientas de gestión de eventos y comunicación conformes con el GDPR', + 'network_events' => 'Muestre automáticamente sus grupos y eventos en su sitio web', + 'network_record' => 'Permita que sus voluntarios registren fácilmente los datos de las reparaciones', + 'network_impact' => 'Mida y controle el impacto global de su red', + 'network_brand' => 'Marca personalizada y localización: utilice su logotipo e idioma', + 'network_power' => 'Ayuda a impulsar el movimiento por el Derecho a Reparar', + 'network_start' => 'Póngase en contacto', + 'network_start_url' => 'https://therestartproject.org/contact', +]; diff --git a/lang/instances/base/es/login.php b/lang/instances/base/es/login.php new file mode 100644 index 0000000000..e82157cbee --- /dev/null +++ b/lang/instances/base/es/login.php @@ -0,0 +1,20 @@ + 'Este es un lugar para hacer crecer el movimiento de reparación de electrónica de la comunidad. El mundo necesita más reparación y más habilidades de reparación para compartir.
Únete si quieres:
Gracias por unirse a nuestro espacio comunitario.
', + 'slide2_content' => 'En el espacio comunitario puedes:
Tu punto de partida es eltablero de mandos de la comunidad.
Tu tablero de mandos te ofrece de un vistazo información sobre los últimos acontecimientos en la comunidad, así como un acceso rápido a las acciones comunes.
Un buen punto de partida es la sección Cómo empezar.
',
+ 'previous' => 'Anterior',
+ 'slide1_heading' => 'Bienvenido',
+ 'slide2_heading' => 'Su puerta de acceso a la reparación comunitaria',
+ 'slide3_heading' => 'Empecemos',
+ 'finishing_action' => 'Al salpicadero',
+ 'next' => 'Siguiente',
+];
diff --git a/lang/instances/base/es/partials.php b/lang/instances/base/es/partials.php
index b62512838d..56a152a4d3 100644
--- a/lang/instances/base/es/partials.php
+++ b/lang/instances/base/es/partials.php
@@ -1,4 +1,100 @@
'Categoría',
+ 'community_news' => 'Noticias de la Comunidad',
+ 'community_news_text' => 'Lo último de nuestro blog comunitario: siempre estamos buscando artículos de invitados, envíanos ideas ajanet@therestartproject.org',
+ 'see_more_posts' => 'Ver más entradas',
+ 'see_all_events' => 'Ver todos los eventos',
+ 'discussion' => 'Debate',
+ 'discussion_text' => 'Conozca a otros organizadores de eventos y voluntarios de reparaciones, intercambie consejos, obtenga ayuda o discuta los obstáculos a nivel de sistema para que los productos duren más',
+ 'add_device' => 'Añadir artículo',
+ 'read_more' => 'Seguir leyendo',
+ 'how_to_host_an_event' => 'Cómo organizar un acto',
+ 'how_to_host_an_event_text' => 'Contamos con años de experiencia en la organización de eventos de reparación comunitaria y ofrecemos material sobre cómo organizarlos. También ofrecemos apoyo entre iguales en nuestro foro.',
+ 'view_the_materials' => 'Ver los materiales',
+ 'waste_prevented' => 'residuos evitados',
+ 'co2' => 'emisiones estimadas de CO2e evitadas',
+ 'restarters_in_your_area' => 'Voluntarios en su zona',
+ 'information_up_to_date' => 'Mantenga actualizada la información de su grupo',
+ 'information_up_to_date_text' => 'Un perfil fresco ayuda a captar más voluntarios. Asegúrate de incluir un enlace a tu sitio web o a tus redes sociales.',
+ 'your_recent_events' => 'Sus acontecimientos recientes',
+ 'your_recent_events_txt1' => 'Se trata de eventos a los que has confirmado tu asistencia o en los que un anfitrión ha registrado tu participación.',
+ 'your_recent_events_txt2' => 'He aquí una lista de acontecimientos recientes en los que ha participado, todos ellos importantes contribuciones a su comunidad y al medio ambiente.',
+ 'no_past_events' => 'No hay eventos pasados',
+ 'area_text_1' => 'A través de esta comunidad, los voluntarios potenciales se autoinscriben y comparten su ubicación. La plataforma está diseñada para poner en contacto a organizadores y solucionadores.',
+ 'area_text_2' => 'A través de esta comunidad, los voluntarios potenciales se autoinscriben y comparten su ubicación. Aquí tienes una lista de posibles voluntarios cerca de ti',
+ 'host_getting_started_title' => 'Iniciarse en la reparación comunitaria',
+ 'host_getting_started_text' => 'Ofrecemos material sobre cómo ayudar a organizar actos de reparación en su comunidad.',
+ 'getting_started_link' => 'Ver los materiales',
+ 'restarter_getting_started_title' => 'Iniciarse en la reparación comunitaria',
+ 'restarter_getting_started_text' => 'Ofrecemos materiales sobre cómo ayudar a otros a arreglar sus aparatos electrónicos en actos comunitarios: sobre cómo compartir tus conocimientos de reparación en tu comunidad y ayudar a organizar actos.',
+ 'welcome_title' => 'Iniciarse en la reparación comunitaria',
+ 'welcome_text' => 'Ofrecemos material sobre cómo ayudar a otros a reparar sus aparatos electrónicos en actos comunitarios: sobre cómo compartir tus conocimientos de reparación en tu comunidad y ayudar a organizar actos',
+ 'wiki_title' => 'Wiki',
+ 'wiki_text' => 'Una selección cambiante de páginas de nuestro wiki de reparaciones. Lea y contribuya con consejos para la reparación comunitaria',
+ 'remove_volunteer' => 'Eliminar voluntario',
+ 'host' => 'Anfitrión',
+ 'update' => 'Actualización',
+ 'category_none' => 'Ninguna de las anteriores',
+ 'fixed' => 'Fijo',
+ 'repairable' => 'Reparable',
+ 'end' => 'Fin',
+ 'end_of_life' => 'Fin de vida',
+ 'more_time' => 'Se necesita más tiempo',
+ 'professional_help' => 'Ayuda profesional',
+ 'diy' => 'Hazlo tú mismo',
+ 'yes' => 'Sí',
+ 'yes_manufacturer' => 'Piezas necesarias - del fabricante',
+ 'yes_third_party' => 'Piezas necesarias - de terceros',
+ 'no' => 'No se necesitan piezas de repuesto',
+ 'n_a' => 'N/A',
+ 'least_repaired' => 'Menos reparado',
+ 'most_repaired' => 'Más reparados',
+ 'most_seen' => 'Lo más visto',
+ 'no_devices_added' => 'No se han añadido dispositivos',
+ 'add_a_device' => 'Añadir un dispositivo',
+ 'event_requires_moderation_by_an_admin' => 'El evento requiere la moderación de un administrador',
+ 'save' => 'Guardar artículo',
+ 'hot_topics' => 'Temas candentes',
+ 'hot_topics_text' => 'Participe en los últimos temas de actualidad sobre reparación en Restarters Talk.',
+ 'hot_topics_link' => 'Todos los temas candentes de la semana',
+ 'choose_barriers' => 'Elegir el principal obstáculo a la reparación',
+ 'add_device_powered' => 'Añadir elemento motorizado',
+ 'add_device_unpowered' => 'Añadir elemento sin potencia',
+ 'emissions_equivalent_consume_low' => 'eso es como cultivar plantones de árboles de :valor durante 10 años|eso es como cultivar plantones de árboles de :valor durante 10 años',
+ 'emissions_equivalent_consume_high' => 'eso es como plantar alrededor de :valor hectárea de árboles|eso es como plantar alrededor de :valor hectárea de árboles',
+ 'emissions_equivalent_consume_low_explanation' => 'Árboles de crecimiento medio de coníferas o caducifolios, plantados en un entorno urbano y cultivados durante 10 años.',
+ 'emissions_equivalent_consume_high_explanation' => 'Plantones de árboles de hoja ancha cultivados en una plantación o arboleda en Inglaterra durante 1 año.',
+ 'to_be_recycled' => ':valor artículo a reciclar|:valor artículos a reciclar',
+ 'to_be_repaired' => ':valor elemento a reparar|:valor elementos a reparar',
+ 'no_weight' => ':value misc or unpowered item with no weight estimate|:value misc o artículos sin motor sin estimación de peso',
+ 'cancel' => 'Cancelar',
+ 'loading' => 'Cargando',
+ 'close' => 'Cerrar',
+ 'skills' => 'habilidad|habilidades',
+ 'something_wrong' => 'Algo ha ido mal',
+ 'are_you_sure' => '¿Seguro?',
+ 'please_confirm' => 'Por favor, confirme que desea continuar.',
+ 'event_requires_moderation' => 'El acontecimiento requiere moderación',
+ 'copied_to_clipboard' => 'Copiado al portapapeles.',
+ 'total' => 'total',
+ 'remove' => 'eliminar',
+ 'please_choose' => 'Por favor, elija...',
+ 'notification_greeting' => '¡Hola!',
+ 'confirm' => 'Confirme',
+ 'validate_timezone' => 'Seleccione una zona horaria válida.',
+ 'share_this' => 'Compartir',
+ 'download' => 'Descargar',
+ 'share_modal_title' => 'Estadísticas compartibles',
+ 'share_modal_weve_saved' => 'Hemos ahorrado',
+ 'share_modal_of_co2' => 'de CO2e',
+ 'share_modal_by_repairing' => 'reparando',
+ 'share_modal_broken_stuff' => 'cosas rotas.',
+ 'share_modal_thats_like' => 'Eso es como',
+ 'share_modal_growing_about' => 'creciendo sobre',
+ 'share_modal_seedlings' => 'plantones de árboles para 10 años',
+ 'share_modal_planting_around' => 'plantar alrededor',
+ 'share_modal_hectares' => 'hectárea de árboles.*|hectáreas de árboles.*',
+ 'impact_estimates' => 'Las cifras de impacto son estimaciones basadas en los datos introducidos por los grupos en Restarters.net.',
];
diff --git a/lang/instances/base/es/passwords.php b/lang/instances/base/es/passwords.php
new file mode 100644
index 0000000000..f08b87f942
--- /dev/null
+++ b/lang/instances/base/es/passwords.php
@@ -0,0 +1,11 @@
+ 'Te hemos enviado por correo electrónico el enlace para restablecer tu contraseña',
+ 'user' => 'No podemos encontrar un usuario con esa dirección de correo electrónico.',
+ 'invalid' => 'Introduzca una dirección de correo electrónico válida.',
+ 'recover_title' => 'Recuperación de cuentas',
+ 'match' => 'Las contraseñas no coinciden',
+ 'updated' => 'Contraseña actualizada, inicie sesión para continuar.',
+ 'failed' => 'No se ha podido actualizar la contraseña.',
+];
diff --git a/lang/instances/base/es/profile.php b/lang/instances/base/es/profile.php
new file mode 100644
index 0000000000..18e255fd91
--- /dev/null
+++ b/lang/instances/base/es/profile.php
@@ -0,0 +1,52 @@
+ 'Habilidades',
+ 'my_skills' => 'Mis competencias',
+ 'biography' => 'Biografía',
+ 'no_bio' => ':name aún no ha escrito su biografía.',
+ 'edit_user' => 'Editar usuario',
+ 'change_photo' => 'Cambiar mi foto',
+ 'profile_picture' => 'Foto de perfil',
+ 'skills_updated' => 'Habilidades actualizadas',
+ 'notifications' => 'Notificaciones',
+ 'language_panel_title' => 'Ajustes de idioma',
+ 'preferred_language' => 'Lengua preferida',
+ 'language_updated' => 'Preferencia de idioma actualizada',
+ 'page_title' => 'Perfil y preferencias',
+ 'profile' => 'Perfil',
+ 'account' => 'Cuenta',
+ 'email_preferences' => 'Preferencias de correo electrónico',
+ 'calendars' => [
+ 'title' => 'Calendarios',
+ 'explainer' => 'Ahora puedes seguir los eventos con tu aplicación de calendario personal suscribiéndote a los calendarios que aparecen a continuación. Puede suscribirse a tantos calendarios como desee.',
+ 'find_out_more' => 'Más información',
+ 'my_events' => 'Mis eventos',
+ 'copy_link' => 'Copiar enlace',
+ 'group_calendars' => 'Calendarios de grupo',
+ 'all_events' => 'Todos los eventos (sólo para administradores)',
+ 'events_by_area' => 'Eventos por zonas',
+ ],
+ 'name' => 'Nombre',
+ 'country' => 'País',
+ 'email_address' => 'Dirección de correo electrónico',
+ 'save_profile' => 'Guardar perfil',
+ 'view_profile' => 'Ver perfil',
+ 'view_user_profile' => 'Ver el perfil del usuario',
+ 'repair_directory' => 'Directorio de reparaciones',
+ 'repair_dir_role' => 'Función de directorio de reparaciones',
+ 'repair_dir_none' => 'Sin acceso',
+ 'repair_dir_editor' => 'Editor',
+ 'repair_dir_regional_admin' => 'Administración regional',
+ 'repair_dir_superadmin' => 'SuperAdmin',
+ 'password_old_mismatch' => 'La contraseña actual no coincide',
+ 'password_new_mismatch' => 'Las nuevas contraseñas no coinciden',
+ 'password_changed' => 'Contraseña de usuario actualizada',
+ 'profile_updated' => 'Perfil de usuario actualizado',
+ 'preferences_updated' => 'Preferencias de usuario actualizadas',
+ 'soft_deleted' => 'la cuenta de :nombre ha sido borrada suavemente.',
+ 'picture_success' => 'Foto de perfil actualizada',
+ 'picture_error' => 'No se ha podido subir la foto de perfil',
+ 'admin_success' => 'Actualización de la configuración de administración',
+ 'create_success' => '¡Usuario creado con éxito!',
+];
diff --git a/lang/instances/base/es/registration.php b/lang/instances/base/es/registration.php
new file mode 100644
index 0000000000..6cd4aaa3f7
--- /dev/null
+++ b/lang/instances/base/es/registration.php
@@ -0,0 +1,37 @@
+ '¿Qué habilidades le gustaría compartir con los demás?',
+ 'town-city-placeholder' => 'Por ejemplo, París, Londres, Bruselas',
+ 'reg-step-3-label1' => 'Deseo recibir el boletín mensual de The Restart Project',
+ 'reg-step-3-label2' => 'Me gustaría recibir notificaciones por correo electrónico sobre eventos o grupos cerca de mí',
+ 'reg-step-4-label1' => 'Datos personales. Doy mi consentimiento para que The Restart Project utilice mis datos personales internamente con el fin de registrarme en la comunidad, verificar el origen de los datos de reparación y mejorar la experiencia de voluntariado. Entiendo que mi perfil personal será visible para otros miembros de la comunidad, sin embargo los datos personales proporcionados nunca serán compartidos con terceros sin mi consentimiento. Entiendo que puedo borrar mi perfil y todos mis datos personales en cualquier momento - y acceder a la Política de Privacidad de la comunidadaquí.',
+ 'reg-step-4-label2' => 'Datos de reparación. Al contribuir con datos de reparación al Fixometer, otorgo a The Restart Project una licencia perpetua libre de regalías para utilizarlos. La licencia permite a Restart distribuir los datos bajo cualquier licencia abierta y conservar cualquier dato no personal incluso en el caso de que solicite la eliminación de mi perfil personal en el Fixometer. (Lea más sobre cómo utilizamos los datos de reparaciónaquí)',
+ 'reg-step-4-label3' => 'Datos históricos de reparación. Otorgo una licencia perpetua libre de regalías para cualquiera de mis contribuciones anteriores de datos de reparación a The Restart Project. La licencia permite a Restart distribuir los datos bajo cualquier licencia abierta y conservar cualquier dato no personal incluso en el caso de que solicite la eliminación de mi perfil personal en el Fixometer. (Lea más sobre cómo utilizamos los datos de reparaciónaquí)',
+ 'complete-profile' => 'Completar mi perfil',
+ 'age' => 'Año de nacimiento',
+ 'age_help' => 'Para ayudar a difundir la reparación comunitaria, necesitamos una mayor comprensión de la dinámica intergeneracional.',
+ 'age_validation' => 'Añade tu año de nacimiento.',
+ 'country' => 'País',
+ 'country_help' => 'Saber dónde se encuentran los voluntarios ayuda a hacer crecer la comunidad global.',
+ 'country_validation' => 'Por favor, añada su país.',
+ 'gender' => 'Sexo (opcional)',
+ 'gender_help' => 'Compartir tu identidad de género puede ayudar a la comunidad a aprender a fomentar la diversidad, pero entendemos que no todo el mundo quiera compartirla.',
+ 'town-city' => 'Ciudad (opcional)',
+ 'town-city_help' => 'La ciudad ayuda a poner en contacto a los voluntarios con los grupos y a encontrar eventos locales.',
+ 'reg-step-2-heading' => 'Háblenos un poco de usted',
+ 'reg-step-3-heading' => '¿Cómo quiere que nos mantengamos en contacto?',
+ 'reg-step-4-heading' => 'Utilización de los datos introducidos',
+ 'reg-step-1-1' => 'Es opcional, pero nos ayuda a mejorar su experiencia y a organizar eventos. Puede cambiarlos más adelante en su perfil.',
+ 'reg-step-2-1' => 'Esta información nos es útil para servir mejor a la comunidad. De tus datos personales, solo tus habilidades, pueblo/ciudad y nombre serán visibles para otros miembros de la comunidad.',
+ 'reg-step-2-2' => 'Para crear una cuenta, debe establecer una contraseña',
+ 'reg-step-3-1a' => 'Podemos enviarle actualizaciones por correo electrónico sobre eventos y grupos relacionados con usted, y sobre las actividades de Restart Project en general.',
+ 'reg-step-3-2b' => 'Tras registrarse, recibirá una breve serie de correos electrónicos de bienvenida. También puede optar por recibir otras comunicaciones.',
+ 'reg-step-4' => 'Por favor, dé su consentimiento para que utilicemos los datos que introduzca.',
+ 'next-step' => 'Siguiente paso',
+ 'previous-step' => 'Paso anterior',
+ 'step-1' => 'Paso 1 de 4',
+ 'step-2' => 'Paso 2 de 4',
+ 'step-3' => 'Paso 3 de 4',
+ 'step-4' => 'Paso 4 de 4',
+];
diff --git a/lang/instances/base/es/reporting.php b/lang/instances/base/es/reporting.php
new file mode 100644
index 0000000000..837837470d
--- /dev/null
+++ b/lang/instances/base/es/reporting.php
@@ -0,0 +1,11 @@
+ 'Desglose por países',
+ 'breakdown_by_city' => 'Desglose por ciudades',
+ 'breakdown_by_country_content' => 'Horas de voluntariado agrupadas por país de voluntariado.',
+ 'breakdown_by_city_content' => 'Horas de voluntariado agrupadas por ciudad/población del voluntario (nota: la ciudad/país es opcional, por lo que puede no estar establecida para todos los voluntarios).',
+ 'country_name' => 'Nombre del país',
+ 'town_city_name' => 'Nombre de la ciudad',
+ 'total_hours' => 'Total de horas',
+];
diff --git a/lang/instances/base/es/skills.php b/lang/instances/base/es/skills.php
new file mode 100644
index 0000000000..39e7e4edaa
--- /dev/null
+++ b/lang/instances/base/es/skills.php
@@ -0,0 +1,7 @@
+ '¡Habilidad creada con éxito!',
+ 'update_success' => '¡Habilidad actualizada correctamente!',
+ 'delete_success' => '¡Habilidad eliminada con éxito!',
+];
diff --git a/lang/instances/base/fr/admin.php b/lang/instances/base/fr/admin.php
index 1d75ed10c0..ec18239024 100644
--- a/lang/instances/base/fr/admin.php
+++ b/lang/instances/base/fr/admin.php
@@ -1,44 +1,43 @@
'Marque',
- 'brand-name' => 'Nom de la marque',
- 'brand_modal_title' => 'Ajouter une nouvelle marque',
'categories' => 'Catégories',
- 'category_cluster' => 'Groupe de catégorie',
- 'category_name' => 'Nom de catégorie',
- 'co2_footprint' => 'Empreinte CO2 (kg)',
- 'create-new-brand' => 'Créer une nouvelle marque',
- 'create-new-category' => 'Créer une nouvelle catégorie',
- 'create-new-skill' => 'Créer une nouvelle compétence',
'skills' => 'Compétences',
+ 'brand' => 'Marque',
+ 'create-new-category' => 'Créer une nouvelle catégorie',
+ 'category_name' => 'Nom de la catégorie',
'skill_name' => 'Nom de la compétence',
- 'delete-skill' => 'Effacer la compétence',
+ 'delete-skill' => 'Supprimer la compétence',
+ 'create-new-skill' => 'Créer une nouvelle compétence',
'create-new-tag' => 'Créer une nouvelle étiquette',
- 'name' => 'Nom',
- 'skills_modal_title' => 'Ajouter nouvelle compétence',
- 'tags_modal_title' => 'Ajouter nouvelle étiquette',
+ 'create-new-brand' => 'Créer une nouvelle marque',
+ 'skills_modal_title' => 'Ajouter une nouvelle compétence',
+ 'tags_modal_title' => 'Ajouter un nouveau tag',
+ 'brand_modal_title' => 'Ajouter une nouvelle marque',
+ 'category_cluster' => 'Catégorie Cluster',
'weight' => 'Poids (kg)',
+ 'co2_footprint' => 'CO2Empreinte (kg)',
'reliability' => 'Fiabilité',
- 'reliability-1' => 'Fiabilité - très faible',
- 'reliability-2' => 'Fiabilité - Faible',
- 'reliability-3' => 'Fiabilité - Moyenne',
- 'reliability-4' => 'Fiabilité - Bonne',
- 'reliability-5' => 'Fiabilité - Très bonne',
- 'reliability-6' => 'Fiabilité non-applicable',
+ 'reliability-1' => 'Très faible',
+ 'reliability-2' => 'Pauvre',
+ 'reliability-3' => 'Juste',
+ 'reliability-4' => 'Bon',
+ 'reliability-5' => 'Très bon',
+ 'reliability-6' => 'N/A',
'description' => 'Description',
- 'description_optional' => 'Description (optionnel)',
- 'save-category' => 'Sauver catégorie',
- 'edit-category' => 'Editer la catégorie',
- 'save-skill' => 'Sauver compétence',
- 'edit-skill' => 'Editer la compétence',
- 'edit-category-content' => 'Editer le contenu de la catégorie',
- 'edit-skill-content' => 'Editer le contenu de la compétence',
- 'group-tags' => 'Etiquettes du groupe',
- 'delete-tag' => 'Effacer l\'étiquette',
- 'save-tag' => 'Sauver étiquette',
- 'save-brand' => 'Sauver marque',
+ 'description_optional' => 'Description (facultatif)',
+ 'save-category' => 'Sauvegarder la catégorie',
+ 'edit-category' => 'Modifier la catégorie',
+ 'save-skill' => 'Sauvegarder la compétence',
+ 'edit-skill' => 'Modifier la compétence',
+ 'edit-category-content' => '',
+ 'edit-skill-content' => '',
+ 'group-tags' => 'Étiquettes de groupe',
+ 'delete-tag' => 'Supprimer le tag',
+ 'save-tag' => 'Sauvegarder l\'étiquette',
+ 'save-brand' => 'Sauver la marque',
'tag-name' => 'Nom de l\'étiquette',
+ 'brand-name' => 'Nom de marque',
'edit-brand' => 'Editer la marque',
- 'edit-brand-content' => 'Editer le contenu de la marque',
+ 'edit-brand-content' => '',
];
diff --git a/lang/instances/base/fr/auth.php b/lang/instances/base/fr/auth.php
index c47ae87d5b..61c216e3b0 100644
--- a/lang/instances/base/fr/auth.php
+++ b/lang/instances/base/fr/auth.php
@@ -1,34 +1,34 @@
'Soit cette adresse électronique n’est pas enregistrée dans le système, soit le mot de passe est incorrect.',
- 'throttle' => 'Trop de tentatives de connexion. S\'il vous plaît réessayer dans :seconds secondes.',
- 'email_address' => 'Adresse e-mail',
- 'email_address_validation' => 'Veuillez taper une adresse e-mail valide',
- 'sign_in' => 'Je m’en souviens. Retour à la connexion.',
- 'forgotten_pw' => 'Vous avez oublié votre mot de passe?',
- 'forgotten_pw_text' => 'Ça arrive à tout le monde ! Entrez simplement votre adresse e-mail ci‐dessous pour recevoir un message de réinitialisation de mot de passe.',
- 'reset' => 'Réinitialiser',
+ 'email_address_validation' => 'Un compte avec cette adresse e-mail existe déjà. Avez-vous essayé de vous connecter ?',
+ 'login' => 'Connexion',
+ 'delete_account' => 'Supprimer le compte',
+ 'failed' => 'Soit cette adresse e-mail n\'est pas enregistrée dans le système, soit le mot de passe est incorrect.',
+ 'email_address' => 'Adresse électronique',
+ 'sign_in' => 'Je me suis souvenu. Laissez-moi me connecter',
+ 'forgotten_pw' => 'Vous avez oublié votre mot de passe ?',
+ 'forgotten_pw_text' => 'Cela nous arrive à tous. Il vous suffit de saisir votre adresse électronique pour recevoir un message de réinitialisation de votre mot de passe.',
+ 'reset' => 'Remise à zéro',
'password' => 'Mot de passe',
- 'repeat_password' => 'Répétez le mot de passe',
- 'repeat_password_validation' => 'Les mots de passe ne correspondent pas ou ont moins de six caractères',
+ 'repeat_password' => 'Répéter le mot de passe',
+ 'repeat_password_validation' => 'Les mots de passe ne correspondent pas ou comportent moins de six caractères',
'forgot_password' => 'Mot de passe oublié',
- 'change_password' => 'Changer le mot de passe',
- 'change_password_text' => 'Assurez la sécurité de votre compte en changeant régulièrement votre mot de passe.',
+ 'change_password' => 'Modifier le mot de passe',
+ 'change_password_text' => 'Veillez à la sécurité de votre compte et changez régulièrement votre mot de passe.',
'reset_password' => 'Réinitialiser le mot de passe',
'create_account' => 'Créer un compte',
'current_password' => 'Mot de passe actuel',
'new_password' => 'Nouveau mot de passe',
- 'new_repeat_password' => 'Répétez le nouveau mot de passe',
- 'login' => 'Connexion',
- 'delete_account' => 'Effacer compte',
- 'delete_account_text' => 'J\'accepte que le fait d\'effacer mon compte supprimera toutes mes données personnelles et que ceci constitue une action permanente',
+ 'new_repeat_password' => 'Répéter le nouveau mot de passe',
+ 'delete_account_text' => 'Je comprends que la suppression de mon compte entraînera la suppression de toutes mes données personnelles et qu\'il s\'agit d\'une action permanente
+et qu\'il s\'agit d\'une action permanente.',
'save_preferences' => 'Sauvegarder les préférences',
- 'set_preferences' => 'Cliquez ici pour définir vos préférences de messagerie pour notre plate‐forme de discussion',
- 'profile_admin' => 'Administrateur',
- 'profile_admin_text' => 'Les administrateurs ont ici la possibilité de changer le rôle d\'un utilisateur ou de ses groupes attribués',
- 'user_role' => 'Rôle d\'utilisateur',
- 'assigned_groups' => 'Attribués aux Repair Cafés',
- 'save_user' => 'Sauver utilisateur',
- 'login_before_using_shareable_link' => 'Pour compléter votre invitation, veuillez créer un compte ci-dessous, ou si vous avez déjà un compte connectez-vous.',
+ 'set_preferences' => 'Cliquez ici pour définir vos préférences en matière d\'envoi d\'e-mails pour notre plateforme de discussion',
+ 'profile_admin' => 'Admin uniquement',
+ 'profile_admin_text' => 'Ici, les administrateurs ont la possibilité de modifier le rôle d\'un utilisateur ou les groupes qui lui sont associés',
+ 'user_role' => 'Rôle de l\'utilisateur',
+ 'assigned_groups' => 'Affectés à des groupes',
+ 'save_user' => 'Sauvegarder l\'utilisateur',
+ 'login_before_using_shareable_link' => 'Pour compléter votre invitation, veuillez créer un compte ci-dessous, ou si vous avez déjà un compteconnectez-vous ici.',
];
diff --git a/lang/instances/base/fr/brands.php b/lang/instances/base/fr/brands.php
index 68e0b8172d..d19d344f8d 100644
--- a/lang/instances/base/fr/brands.php
+++ b/lang/instances/base/fr/brands.php
@@ -1,7 +1,7 @@
'Marque créée avec succès!',
- 'update_success' => 'Marque mise à jour avec succès!',
- 'delete_success' => 'Marque supprimée!',
-];
\ No newline at end of file
+ 'create_success' => 'Création d\'une marque réussie !',
+ 'update_success' => 'La marque a été mise à jour avec succès !',
+ 'delete_success' => 'Marque supprimée !',
+];
diff --git a/lang/instances/base/fr/calendars.php b/lang/instances/base/fr/calendars.php
index 48e53fcb6e..a27bb31e94 100644
--- a/lang/instances/base/fr/calendars.php
+++ b/lang/instances/base/fr/calendars.php
@@ -3,5 +3,5 @@
return [
'find_out_more' => 'En savoir plus',
'see_all_calendars' => 'Voir tous mes calendriers',
- 'add_to_calendar' => 'Ajouter à mon calendrier',
+ 'add_to_calendar' => 'Ajouter au calendrier',
];
diff --git a/lang/instances/base/fr/category.php b/lang/instances/base/fr/category.php
index 0476ca5497..95387ecd04 100644
--- a/lang/instances/base/fr/category.php
+++ b/lang/instances/base/fr/category.php
@@ -1,6 +1,6 @@
'Catégorie mise à jour!',
- 'update_error' => 'La catégorie n\'a pas pu être mise à jour!'
-];
\ No newline at end of file
+ 'update_success' => 'Catégorie mise à jour !',
+ 'update_error' => 'La catégorie n\'a pas pu être mise à jour !',
+];
diff --git a/lang/instances/base/fr/countries.php b/lang/instances/base/fr/countries.php
new file mode 100644
index 0000000000..af99b8130c
--- /dev/null
+++ b/lang/instances/base/fr/countries.php
@@ -0,0 +1,253 @@
+ 'Afghanistan',
+ 'AX' => 'Îles Åland',
+ 'AL' => 'Albanie',
+ 'DZ' => 'Algérie',
+ 'AS' => 'Samoa américaines',
+ 'AD' => 'Andorre',
+ 'AO' => 'Angola',
+ 'AI' => 'Anguilla',
+ 'AQ' => 'Antarctique',
+ 'AG' => 'Antigua et Barbuda',
+ 'AR' => 'Argentine',
+ 'AM' => 'Arménie',
+ 'AW' => 'Aruba',
+ 'AU' => 'Australie',
+ 'AT' => 'Autriche',
+ 'AZ' => 'Azerbaïdjan',
+ 'BS' => 'Bahamas',
+ 'BH' => 'Bahreïn',
+ 'BD' => 'Bangladesh',
+ 'BB' => 'Barbade',
+ 'BY' => 'Bélarus',
+ 'BE' => 'Belgique',
+ 'BZ' => 'Belize',
+ 'BJ' => 'Bénin',
+ 'BM' => 'Bermudes',
+ 'BT' => 'Bhoutan',
+ 'BO' => 'Bolivie, État plurinational de',
+ 'BQ' => 'Bonaire, Saint-Eustache et Saba',
+ 'BA' => 'Bosnie et Herzégovine',
+ 'BW' => 'Botswana',
+ 'BV' => 'Île Bouvet',
+ 'BR' => 'Brésil',
+ 'IO' => 'Territoire britannique de l\'océan Indien',
+ 'BN' => 'Brunei Darussalam',
+ 'BG' => 'Bulgarie',
+ 'BF' => 'Burkina Faso',
+ 'BI' => 'Burundi',
+ 'KH' => 'Cambodge',
+ 'CM' => 'Cameroun',
+ 'CA' => 'Canada',
+ 'CV' => 'Cap Vert',
+ 'KY' => 'Îles Caïmans',
+ 'CF' => 'République centrafricaine',
+ 'TD' => 'Tchad',
+ 'CL' => 'Chili',
+ 'CN' => 'Chine',
+ 'CX' => 'L\'île de Noël',
+ 'CC' => 'Îles Cocos (Keeling)',
+ 'CO' => 'Colombie',
+ 'KM' => 'Comores',
+ 'CG' => 'Congo',
+ 'CD' => 'Congo, République démocratique du',
+ 'CK' => 'Îles Cook',
+ 'CR' => 'Costa Rica',
+ 'CI' => 'Côte d\'Ivoire',
+ 'HR' => 'Croatie',
+ 'CU' => 'Cuba',
+ 'CW' => 'Curaçao',
+ 'CY' => 'Chypre',
+ 'CZ' => 'République tchèque',
+ 'DK' => 'Danemark',
+ 'DJ' => 'Djibouti',
+ 'DM' => 'Dominique',
+ 'DO' => 'République dominicaine',
+ 'EC' => 'Équateur',
+ 'EG' => 'Égypte',
+ 'SV' => 'El Salvador',
+ 'GQ' => 'Guinée équatoriale',
+ 'ER' => 'Erythrée',
+ 'EE' => 'Estonie',
+ 'ET' => 'Éthiopie',
+ 'FK' => 'Îles Malouines (Malvinas)',
+ 'FO' => 'Îles Féroé',
+ 'FJ' => 'Fidji',
+ 'FI' => 'Finlande',
+ 'FR' => 'France',
+ 'GF' => 'Guyane française',
+ 'PF' => 'Polynésie française',
+ 'TF' => 'Terres australes françaises',
+ 'GA' => 'Gabon',
+ 'GM' => 'Gambie',
+ 'GE' => 'Géorgie',
+ 'DE' => 'Allemagne',
+ 'GH' => 'Ghana',
+ 'GI' => 'Gibraltar',
+ 'GR' => 'Grèce',
+ 'GL' => 'Groenland',
+ 'GD' => 'Grenade',
+ 'GP' => 'Guadeloupe',
+ 'GU' => 'Guam',
+ 'GT' => 'Guatemala',
+ 'GG' => 'Guernesey',
+ 'GN' => 'Guinée',
+ 'GW' => 'Guinée-Bissau',
+ 'GY' => 'Guyane',
+ 'HT' => 'Haïti',
+ 'HM' => 'Île Heard et îles McDonald',
+ 'VA' => 'Saint-Siège (État de la Cité du Vatican)',
+ 'HN' => 'Honduras',
+ 'HK' => 'Hong Kong',
+ 'HU' => 'Hongrie',
+ 'IS' => 'Islande',
+ 'IN' => 'Inde',
+ 'ID' => 'Indonésie',
+ 'IR' => 'Iran, République islamique d\'',
+ 'IQ' => 'L\'Irak',
+ 'IE' => 'Irlande',
+ 'IM' => 'Île de Man',
+ 'IL' => 'Israël',
+ 'IT' => 'Italie',
+ 'JM' => 'Jamaïque',
+ 'JP' => 'Japon',
+ 'JE' => 'Jersey',
+ 'JO' => 'Jordanie',
+ 'KZ' => 'Kazakhstan',
+ 'KE' => 'Kenya',
+ 'KI' => 'Kiribati',
+ 'KP' => 'Corée, République populaire démocratique de',
+ 'KR' => 'Corée du Sud',
+ 'KW' => 'Koweït',
+ 'KG' => 'Kirghizistan',
+ 'LA' => 'République démocratique populaire lao',
+ 'LV' => 'Lettonie',
+ 'LB' => 'Liban',
+ 'LS' => 'Lesotho',
+ 'LR' => 'Libéria',
+ 'LY' => 'Libye',
+ 'LI' => 'Liechtenstein',
+ 'LT' => 'Lituanie',
+ 'LU' => 'Luxembourg',
+ 'MO' => 'Macao',
+ 'MK' => 'Macédoine, l\'ancienne République yougoslave de',
+ 'MG' => 'Madagascar',
+ 'MW' => 'Malawi',
+ 'MY' => 'Malaisie',
+ 'MV' => 'Maldives',
+ 'ML' => 'Mali',
+ 'MT' => 'Malte',
+ 'MH' => 'Îles Marshall',
+ 'MQ' => 'Martinique',
+ 'MR' => 'Mauritanie',
+ 'MU' => 'Maurice',
+ 'YT' => 'Mayotte',
+ 'MX' => 'Mexique',
+ 'FM' => 'Micronésie, États fédérés de',
+ 'MD' => 'Moldavie, République de',
+ 'MC' => 'Monaco',
+ 'MN' => 'Mongolie',
+ 'ME' => 'Monténégro',
+ 'MS' => 'Montserrat',
+ 'MA' => 'Maroc',
+ 'MZ' => 'Mozambique',
+ 'MM' => 'Myanmar',
+ 'NA' => 'Namibie',
+ 'NR' => 'Nauru',
+ 'NP' => 'Népal',
+ 'NL' => 'Pays-Bas',
+ 'NC' => 'Nouvelle-Calédonie',
+ 'NZ' => 'Aotearoa Nouvelle-Zélande',
+ 'NI' => 'Nicaragua',
+ 'NE' => 'Niger',
+ 'NG' => 'Nigéria',
+ 'NU' => 'Niue',
+ 'NF' => 'Île Norfolk',
+ 'MP' => 'Mariannes du Nord (Îles)',
+ 'NO' => 'Norvège',
+ 'OM' => 'Oman',
+ 'PK' => 'Pakistan',
+ 'PW' => 'Palau',
+ 'PS' => 'Territoire palestinien occupé',
+ 'PA' => 'Panama',
+ 'PG' => 'Papouasie-Nouvelle-Guinée',
+ 'PY' => 'Paraguay',
+ 'PE' => 'Pérou',
+ 'PH' => 'Philippines',
+ 'PN' => 'Pitcairn',
+ 'PL' => 'Pologne',
+ 'PT' => 'Portugal',
+ 'PR' => 'Porto Rico',
+ 'QA' => 'Qatar',
+ 'RE' => 'Réunion',
+ 'RO' => 'Roumanie',
+ 'RU' => 'Fédération de Russie',
+ 'RW' => 'Rwanda',
+ 'BL' => 'Saint Barthélemy',
+ 'SH' => 'Sainte-Hélène, Ascension et Tristan da Cunha',
+ 'KN' => 'Saint-Kitts-et-Nevis',
+ 'LC' => 'Sainte-Lucie',
+ 'MF' => 'Saint Martin (partie française)',
+ 'PM' => 'Saint-Pierre et Miquelon',
+ 'VC' => 'Saint-Vincent-et-les-Grenadines',
+ 'WS' => 'Samoa',
+ 'SM' => 'Saint-Marin',
+ 'ST' => 'Sao Tomé et Principe',
+ 'SA' => 'Arabie Saoudite',
+ 'SN' => 'Sénégal',
+ 'RS' => 'Serbie',
+ 'SC' => 'Seychelles',
+ 'SL' => 'Sierra Leone',
+ 'SG' => 'Singapour',
+ 'SX' => 'Sint Maarten (partie néerlandaise)',
+ 'SK' => 'Slovaquie',
+ 'SI' => 'Slovénie',
+ 'SB' => 'Îles Salomon',
+ 'SO' => 'Somalie',
+ 'ZA' => 'Afrique du Sud',
+ 'GS' => 'Géorgie du Sud et îles Sandwich du Sud',
+ 'SS' => 'Sud Soudan',
+ 'ES' => 'Espagne',
+ 'LK' => 'Sri Lanka',
+ 'SD' => 'Soudan',
+ 'SR' => 'Suriname',
+ 'SJ' => 'Svalbard et Jan Mayen',
+ 'SZ' => 'Swaziland',
+ 'SE' => 'Suède',
+ 'CH' => 'Suisse',
+ 'SY' => 'République arabe syrienne',
+ 'TW' => 'Taïwan',
+ 'TJ' => 'Tadjikistan',
+ 'TZ' => 'Tanzanie, République unie de',
+ 'TH' => 'Thaïlande',
+ 'TL' => 'Timor-Leste',
+ 'TG' => 'Togo',
+ 'TK' => 'Tokelau',
+ 'TO' => 'Tonga',
+ 'TT' => 'Trinité-et-Tobago',
+ 'TN' => 'Tunisie',
+ 'TR' => 'Turquie',
+ 'TM' => 'Turkménistan',
+ 'TC' => 'Îles Turks et Caicos',
+ 'TV' => 'Tuvalu',
+ 'UG' => 'Ouganda',
+ 'UA' => 'Ukraine',
+ 'AE' => 'Émirats arabes unis',
+ 'GB' => 'Royaume-Uni',
+ 'US' => 'États-Unis',
+ 'UM' => 'Îles mineures éloignées des États-Unis',
+ 'UY' => 'Uruguay',
+ 'UZ' => 'Ouzbékistan',
+ 'VU' => 'Vanuatu',
+ 'VE' => 'Venezuela, République bolivarienne du',
+ 'VN' => 'Viet Nam',
+ 'VG' => 'Îles Vierges britanniques',
+ 'VI' => 'Îles Vierges, États-Unis',
+ 'WF' => 'Wallis et Futuna',
+ 'EH' => 'Sahara occidental',
+ 'YE' => 'Yémen',
+ 'ZM' => 'Zambie',
+ 'ZW' => 'Zimbabwe',
+];
diff --git a/lang/instances/base/fr/dashboard.php b/lang/instances/base/fr/dashboard.php
index 933afd43c2..9828427786 100644
--- a/lang/instances/base/fr/dashboard.php
+++ b/lang/instances/base/fr/dashboard.php
@@ -1,48 +1,47 @@
'Appareils enregistrés',
+ 'devices_logged' => 'dispositifs enregistrés',
'getting_started_header' => 'Pour commencer',
- 'join_group' => 'Rejoignez un repair café',
'visit_wiki' => 'Visiter le wiki',
- 'discussion_header' => 'Forum de discussion',
+ 'discussion_header' => 'Rencontrer la communauté',
+ 'log_devices' => 'Dispositifs d\'enregistrement',
+ 'title' => 'Bienvenue à Restarters',
+ 'groups_near_you_header' => 'Groupes près de chez vous',
+ 'groups_near_you_text' => 'Suivez un groupe de réparation pour en savoir plus sur la réparation communautaire dans votre région.',
+ 'groups_near_you_see_more' => 'Voir plus de groupes',
'groups_near_you_follow_action' => 'Suivre',
- 'groups_near_you_header' => 'Repair Cafés proches de chez vous',
- 'groups_near_you_none_nearby' => 'Il n\'y a actuellement pas de repair cafés proches de chez vous qui ont été ajoutés à Restarters.net',
- 'groups_near_you_see_more' => 'Voir plus de repair cafés',
- 'groups_near_you_set_location' => 'Entrez votre ville pour nous aider à trouver des repair cafés proches de chez vous.',
- 'groups_near_you_start_a_group' => 'Voulez-vous commencer ou ajouter un Repair Café? En savoir plus.',
- 'groups_near_you_text' => 'Suivez un Repair Café pour en savoir plus sur la communauté repair dans votre entourage.',
- 'groups_near_you_your_location_is' => 'Votre ville est actuellement définie sur :location',
- 'log_devices' => 'Connecter un appareil',
- 'networks_you_coordinate' => 'Voici le réseau que vous coordonnez :',
- 'title' => 'Tableau de bord',
+ 'groups_near_you_none_nearby' => 'Il n\'y a actuellement aucun groupe près de chez vous qui a été ajouté à Restarters.net.',
+ 'groups_near_you_start_a_group' => 'Souhaitez-vous créer ou ajouter un groupe ? En savoir plus.',
+ 'groups_near_you_set_location' => 'Indiquez votre villepour nous aider à trouver des groupes près de chez vous.',
+ 'groups_near_you_your_location_is' => 'Votre ville est actuellement définie sur :location.',
'your_networks' => 'Vos réseaux',
- 'add_event' => 'Ajouter',
- 'catch_up' => 'Retrouvez vos Repair Cafés en cliquant ci-dessous',
- 'getting_the_most' => 'C\'est parti !',
- 'getting_the_most_bullet1' => 'Réparer: Suivez votre Repair Café le plus proche et perfectionnez ou partagez vos compétences sur notre wiki de la réparation .',
- 'getting_the_most_bullet2' => 'Organiser: Apprenez comment organiser un événement and/or Demandez de l\'aide à la communauté sur Talk.',
- 'getting_the_most_bullet3' => 'Chatter: Retrouvez les dernières conversations sur le forum Talk. N\'hésitez pas à vous présenter aussi!',
- 'getting_the_most_bullet4' => 'Analyser: Voir notre impact sur le Fixometer.',
- 'getting_the_most_intro' => 'Restarters.net est une plateforme gratuite, open source, pour une communauté collective de personnes organisant des événements locaux de réparation et œuvrant pour le droit à la réparation.',
- 'groups_heading' => 'Repair Cafés',
- 'sidebar_help' => 'Nous sommes là pour répondre à toutes vos questions concernant l\'organisation d\'un événement',
- 'sidebar_intro_1' => 'Nous sommes une large communauté d\'organisateurs d\'événements locaux de réparation et nous oeuvrons pour notre droit à la réparation. Restarters.net est notre référentiel gratuit et open source.',
- 'sidebar_kit1' => 'Voir notre',
- 'sidebar_kit2' => 'kit d\'organisation d\'événement gratuit',
+ 'networks_you_coordinate' => 'Affichez les réseaux que vous coordonnez.',
+ 'catch_up' => 'Rattrapez vos groupes en cliquant ci-dessous.',
+ 'your_groups_heading' => 'Vos groupes',
+ 'groups_heading' => 'Groupes',
+ 'sidebar_intro_1' => 'Nous sommes une communauté mondiale de personnes qui organisent des événements locaux de réparation et font campagne pour notre droit à la réparation. Restarters.net est notre boîte à outils gratuite et open source.',
+ 'sidebar_kit1' => 'Consultez notre',
+ 'sidebar_kit2' => 'kit de planification d\'événements gratuit !',
+ 'sidebar_help' => 'Nous sommes là pour répondre à toutes vos questions sur l\'hébergement.',
'sidebar_let_us_know' => 'Faites-le nous savoir',
- 'upcoming_events_subtitle' => 'Les événements à venir de vos Repair Cafés',
- 'upcoming_events_title' => 'Evénements à venir',
- 'your_groups_heading' => 'Vos Repair Cafés',
- 'interested_starting' => 'Vous voulez lancer votre propre Repair Café?',
- 'newly_added' => 'Ajouté(s) récemment: :count Repair Café(s) près de chez vous!',
- 'no_groups' => 'Vous ne suivez pas encore de Repair Cafés
Il existe des groupes communautaires dans le monde entier. Vous êtes invité à suivre n\'importe quel groupe pour être averti lorsqu\'il organise des événements.',
- 'see_your_impact' => 'Et regardez votre impact sur le Fixometer',
- 'add_data_add' => 'Ajouter',
+ 'getting_the_most' => 'Pour commencer',
+ 'getting_the_most_intro' => 'Restarters.net est une plateforme gratuite et open source pour une communauté mondiale de personnes qui organisent des événements locaux de réparation et font campagne pour notre droit à la réparation.',
+ 'getting_the_most_bullet1' => 'Réparez:suivez le groupe de réparation communautaire le plus procheet perfectionnez ou partagez vos compétences avec notre wiki de réparation.',
+ 'getting_the_most_bullet2' => 'Organisez-vous:apprendre à organiser un événement de réparationet/oudemander de l\'aide à la communauté sur Talk.',
+ 'getting_the_most_bullet3' => 'Discutez:Suivez les dernières conversationssur notre forum, Talk. Pourquoi ne pasvous présenter aussi ?',
+ 'getting_the_most_bullet4' => 'Analysez: voyez notre impact dans {{HTMLTAG_25} le Fixomètre.',
+ 'upcoming_events_title' => 'Événements à venir',
+ 'upcoming_events_subtitle' => 'Les événements à venir de vos groupes :',
+ 'add_event' => 'Ajouter',
'add_data_heading' => 'Ajouter des données',
- 'interested_details' => '
Toute personne intéressée et ayant quelques compétences en matière d\'organisation peut lancer un Repair Café. Consultez notre kit de planification d\'événements ou consultez nos ressources pour les écoles.
Une fois que vous êtes prêt à lancer un Repair Café, il suffit d\'en créer un sur la page Repair Cafés. Et si vous avez besoin d\'aide, il suffit de demander sur le forum, Talk.',
- 'no_groups_intro' => 'Il existe une communautéd\'initiatives de réparation partout dans le monde. N\'hésitez pas à les suivre lorsqu\'elles organisent des événements.',
- 'see_all_groups_near_you' => 'Voir tous les Repair Cafés proches de chez vous.',
- 'see_all_groups' => 'Voir tous les Repair Cafés',
+ 'see_your_impact' => 'Et voyez votre impact dans le Fixomètre',
+ 'add_data_add' => 'Ajouter',
+ 'newly_added' => 'Nouveau : :count group in your area!|Nouveau : :count groups in your area !',
+ 'no_groups' => 'Il n\'y a pas encore de groupes dans votre région.{
',
+ 'interested_starting' => 'Vous souhaitez créer votre propre groupe de réparation communautaire ?',
+ 'interested_details' => '
Toute personne intéressée et ayant des compétences en matière d\'organisation peut créer un groupe de réparation communautaire. Consultez notre kit de planification d\'événementsou nos ressourcespour les écoles.
Une fois que vous êtes prêt à lancer un groupe, il vous suffit d\'en créer un sur la pagePage Groupes. Et si vous avez besoin d\'aide, demandez-la sur le forum,Discussion.', + 'see_all_groups_near_you' => 'Voir tous les groupes près de chez vous →', + 'see_all_groups' => 'Voir tous les groupes', + 'no_groups_intro' => 'Il existe des groupes communautairesdans le monde entier. Vous pouvez suivre n\'importe quel groupe pour être informé des événements qu\'il organise.', ]; diff --git a/lang/instances/base/fr/device-audits.php b/lang/instances/base/fr/device-audits.php index f2a03d531c..9c2fa8055a 100644 --- a/lang/instances/base/fr/device-audits.php +++ b/lang/instances/base/fr/device-audits.php @@ -1,46 +1,46 @@ 'Aucun changements n\'ont été faits sur cet appareil!', + 'unavailable_audits' => 'Aucune modification n\'a été apportée à ce dispositif !', 'created' => [ - 'metadata' => 'On :audit_created_at, :user_name created record :audit_url', + 'metadata' => 'Sur :audit_created_at, :user_name a créé l\'enregistrement:audit_url', 'modified' => [ - 'event' => 'Event set as ":new"', - 'category' => 'Category set as ":new"', - 'category_creation' => 'Category Creation set as ":new"', - 'estimate' => 'Estimate set as ":new"', - 'repair_status' => 'Repair Status set as ":new"', - 'spare_parts' => 'Spare Parts set as ":new"', - 'brand' => 'Brand set as ":new"', - 'model' => 'Model set as ":new"', - 'age' => 'Age set as ":new"', - 'problem' => 'Problem set as ":new"', - 'repaired_by' => 'Reparied by set as ":new"', - 'do_it_yourself' => 'Do it yourself set as ":new"', - 'professional_help' => 'Professional Help set as ":new"', - 'more_time_needed' => 'More time needed set as ":new"', - 'wiki' => 'Wiki set as ":new"', - 'iddevices' => 'Device ID set as ":new"', + 'event' => 'Événementdéfini comme \":new\"', + 'category' => 'Catégoriedéfinie comme \":new\"', + 'category_creation' => 'Création de la catégoriedéfinie comme \":new\"', + 'estimate' => 'Estimezcomme \":new\"', + 'repair_status' => 'État de la réparationdéfini comme \":new\"', + 'spare_parts' => 'pIÈCES DÉTACHÉESPièces détachéesdéfini comme \":new\"', + 'brand' => 'Marquedéfinie comme \":new\"', + 'model' => 'Modèledéfini comme \":new\"', + 'age' => 'Agedéfini comme \":new\"', + 'problem' => 'Problèmedéfini comme \":new\"', + 'repaired_by' => 'Réparé pardéfini comme \":new\"', + 'do_it_yourself' => 'Faites-le vous-mêmeen tant que \":new\"', + 'professional_help' => 'aIDE PROFESSIONNELLEAide professionnelledéfinie comme \":new\"', + 'more_time_needed' => 'Plus de temps nécessairedéfini comme \":new\"', + 'wiki' => 'Wikidéfini comme \":new\"', + 'iddevices' => 'ID de l\'appareildéfini comme \":new\"', ], ], 'updated' => [ - 'metadata' => 'On :audit_created_at, :user_name updated record :audit_url', + 'metadata' => 'Sur :audit_created_at, :user_name a mis à jour l\'enregistrement:audit_url', 'modified' => [ - 'event' => 'Event was modified from ":old" to ":new"', - 'category' => 'Category was modified from ":old" to ":new"', - 'category_creation' => 'Category Creation was modified from ":old" to ":new"', - 'estimate' => 'Estimate was modified from ":old" to ":new"', - 'repair_status' => 'Repair Status was modified from ":old" to ":new"', - 'spare_parts' => 'Spare Parts was modified from ":old" to ":new"', - 'brand' => 'Brand was modified from ":old" to ":new"', - 'model' => 'Model was modified from ":old" to ":new"', - 'age' => 'Age was modified from ":old" to ":new"', - 'problem' => 'Problem was modified from ":old" to ":new"', - 'repaired_by' => 'Reparied by was modified from ":old" to ":new"', - 'do_it_yourself' => 'Do it yourself was modified from ":old" to ":new"', - 'professional_help' => 'Professional Help was modified from ":old" to ":new"', - 'more_time_needed' => 'More time needed was modified from ":old" to ":new"', - 'wiki' => 'Wiki was modified from ":old" to ":new"', + 'event' => 'L\'événementa été modifié de \":old\" à \":new\"', + 'category' => 'La catégoriea été modifiée de \":old\" en \":new\"', + 'category_creation' => 'La création de la catégoriea été modifiée de \":old\" à \":new\"', + 'estimate' => 'L\'estimationa été modifiée de \":old\" à \":new\"', + 'repair_status' => 'L\'état de la réparationa été modifié de \":old\" à \":new\"', + 'spare_parts' => 'Pièces détachéesa été modifié de \":old\" à \":new\"', + 'brand' => 'mARQUELa marquea été modifiée de \":old\" à \":new\"', + 'model' => 'Le modèlea été modifié de \":old\" à \":new\"', + 'age' => 'L\'âgea été modifié de \":old\" à \":new\"', + 'problem' => 'Le problèmea été modifié de \":old\" à \":new\"', + 'repaired_by' => 'Réparé para été modifié de \":old\" à \":new\"', + 'do_it_yourself' => 'Do it yourselfa été modifié de \":old\" à \":new\"', + 'professional_help' => 'Aide professionnellea été modifié de \":old\" à \":new\"', + 'more_time_needed' => 'Plus de temps nécessairea été modifié de \":old\" à \":new\"', + 'wiki' => 'Wikia été modifié de \":old\" à \":new\"', ], ], ]; diff --git a/lang/instances/base/fr/devices.php b/lang/instances/base/fr/devices.php index 8d522c866c..51cb51997a 100644 --- a/lang/instances/base/fr/devices.php +++ b/lang/instances/base/fr/devices.php @@ -1,81 +1,81 @@ 'Appareils', - 'export_device_data' => 'Exporter les données des appareils', - 'export_event_data' => 'Exporter les données de l\'événement', - 'export_group_data' => 'Exporter les données du Repair Café', + 'devices' => 'Réparations', + 'export_device_data' => 'Télécharger toutes les données', + 'export_event_data' => 'Télécharger les données de l\'événement', + 'export_group_data' => 'Télécharger les données de réparation', 'category' => 'Catégorie', - 'group' => 'Repair Café', - 'from_date' => 'Entre le', - 'to_date' => 'Et le', + 'group' => 'Groupe', + 'from_date' => 'A partir de la date', + 'to_date' => 'A ce jour', 'brand' => 'Marque', 'brand_if_known' => 'Marque (si connue)', 'model' => 'Modèle', 'model_if_known' => 'Modèle (si connu)', 'repair' => 'Date de réparation', - 'repair_status' => 'Statut de la réparation', - 'repair_details' => 'Étapes suivantes', + 'repair_status' => 'État des réparations', + 'repair_details' => 'Prochaines étapes', 'graphic-comment' => 'Commentaire', - 'graphic-camera' => 'Appareil Photo', - 'fixed' => 'Réparé', + 'graphic-camera' => 'Appareil photo', + 'fixed' => 'Fixe', 'repairable' => 'Réparable', - 'age' => 'Âge', - 'devices_description' => 'Description du problème/solution', - 'delete_device' => 'Effacer l\'appareil', - 'event_info' => 'Informations sur l\'événement', + 'age' => 'L\'âge', + 'devices_description' => 'Description du problème/de la solution', + 'delete_device' => 'Supprimer un appareil', 'devices_date' => 'Date', - 'add_data_action_button' => 'Participer à l\'événément', + 'event_info' => 'Informations sur l\'événement', + 'fixometer' => 'Fixomètre', + 'global_impact' => 'Notre impact mondial', + 'group_prevented' => 'a empêché:quantité kgde déchets !', + 'huge_impact' => 'Les réparateurs du monde entier ont un impact considérable !', + 'huge_impact_2' => 'Recherchez vos données de réparation ci-dessous et obtenez un aperçu de l\'impact de la réparation ainsi que des obstacles auxquels nous sommes confrontés lorsque nous réparons. Vous pouvez nous aider à comprendre ce que ces données nous apprennent de plus et les changements pour lesquels nous devrions faire campagne dans la discussionsur les données de réparationdans notre forum.', 'add_data_button' => 'Ajouter des données', - 'add_data_description' => 'Ajouter des données de réparation aide à démontrer l\'impact de la réparation', 'add_data_title' => 'Ajouter des données', - 'fixometer' => 'Fixometer', - 'global_impact' => 'Notre impact global', - 'group_prevented' => ':amount Kg de déchets évités', - 'huge_impact' => 'Les réparateurs du monde entier ont un immense impact !', - 'huge_impact_2' => 'Recherchez vos données de réparation ci-dessous et faites-vous une idée de l\'impact de la réparation ainsi que des obstacles auxquels nous sommes confrontés lorsque nous réparons. Vous pouvez nous aider à comprendre ce que ces données nous apprennent d\'autre et quels changements nous devrions préconiser dans la discussion sur les données de réparation de notre forum.', - 'search_text' => 'Parcourez notre base de données de réparation', - 'repair_records' => 'Données de réparation', - 'age_approx' => 'Années, approximatif si connu', - 'description_powered' => 'Un appareil électrique est tout ce qui a besoin d\'une source électrique pour fonctionner.', - 'description_unpowered' => 'Un appareil non-électrique est tout ce qui ne dispose pas ou n\'a pas besoin de source électrique.', + 'add_data_description' => 'L\'ajout de données sur les réparations permet de montrer l\'impact des réparations.', + 'search_text' => 'Parcourez ou recherchez notre base de données mondiale de réparations.', + 'add_data_action_button' => 'Aller à l\'événement', + 'repair_records' => 'Dossiers de réparation', 'images' => 'Images', - 'model_or_type' => 'Type d\'objet', - 'placeholder_notes' => 'Notes. Ex: difficultés de réparation, perception du problème par le propriétaire etc.', - 'powered_items' => 'Appareils électriques', - 'repair_outcome' => 'Résultat de la réparation?', + 'model_or_type' => 'Objet', + 'repair_outcome' => 'Résultat des réparations ?', + 'powered_items' => 'objets motorisés', + 'unpowered_items' => 'éléments non alimentés', + 'weight' => 'Poids', 'required_impact' => 'kg - nécessaire pour calculer l\'impact sur l\'environnement', 'optional_impact' => 'kg - utilisé pour affiner le calcul de l\'impact environnemental (facultatif)', - 'title_assessment' => 'Evaluation', - 'title_items' => 'Objet', - 'title_items_at_event' => 'Objets à cet événement', - 'title_powered' => 'électriques', - 'title_repair' => 'Réparation', - 'title_unpowered' => 'Non-électriques', - 'tooltip_category' => 'Choisissez la catégorie qui correspond le mieux à cet objet. Plus d\'infos à propos de ces catégories...', - 'tooltip_model' => 'Ajoutez autant d\'informations spécifiques que possible à propos de l\'objet ou du modèle de l\'appareil (ex. `Denim jeans` or ‘Galaxy S10 5G’). Laissez vide si vous ne connaissez pas le modèle.', - 'tooltip_notes' => '
Ajoutez autant de détails que possible ici, par exemple:
N\'hésitez pas à donner autant de détails que possible à propos du problème rencontré et ce qui a été fait pour le réparer. Par exemple:
Veuillez fournir autant de détails que possible sur le problème rencontré par l\'appareil et sur les mesures prises pour le réparer. For example:
{HTMLTAG_117}} Plus d\'informations
Ajoutez ici tout détail supplémentaire, par exemple:
Cela permet d\'informer les bénévoles qui ont participé à cet événement que des données de réparation ont été ajoutées et qu\'ils peuvent les visualiser et ajouter des détails de réparation supplémentaires.
Cela permettra également aux bénévoles de savoir que des photos (y compris des commentaires sur le livre d\'or) ont peut-être été affichées.
Souhaitez-vous envoyer ces notifications?
', - 'request_review_modal_heading' => 'Retours de bénévoles', + 'field_add_image' => 'Ajouter des images', + 'before_submit_text' => 'Une fois confirmé par un coordinateur, votre événement sera rendu public.', + 'follow_hosting_group' => 'Cet événement est organisé par le groupe :. Voulez-vous les suivre ?', + 'request_review_message' => 'Cela permettra d\'informer les bénévoles qui ont participé à cet événement que des données de réparation ont été ajoutées et qu\'elles pourraient bénéficier de contributions et de révisions supplémentaires.
Cela permettra également d\'informer les bénévoles que des photos (y compris des commentaires du livre d\'or) peuvent avoir été publiées.
Voulez-vous envoyer ces notifications ?
', + 'request_review_modal_heading' => 'Demande de révision', 'send_requests' => 'Envoyer', - 'shareable_link' => 'Inviter via un lien partagé', - 'shareable_link_box' => 'Lien partagé', - 'online_event' => 'VISIOCONFÉRENCE', + 'cancel_requests' => 'Annuler', + 'online_event' => 'ÉVÉNEMENT EN LIGNE', 'create_new_event_mobile' => 'Créer', - 'no_upcoming_for_your_groups' => 'Il n\'y a actuellement aucun événement à venir pour votre Repair Café', - 'online_event_question' => 'Visioconférence?', - 'youre_going' => 'Vous participez!', - 'add_new_event' => 'Ajouter nouvel événement', - 'confirmed' => 'Confirmé(s)', - 'created_success_message' => 'Evénement créé! Il sera approuvé par un administrateur dans les plus brefs délais. Vous pouvez cependant continuer à l\'éditer en attendant.', - 'editing' => 'Edition :event', - 'environmental_impact' => 'Impact environnemental', - 'event_actions' => 'Gestion de l\'événement', - 'event_attendance' => 'Participation', - 'event_description' => 'Description', - 'event_details' => 'Détails de l\'événement', - 'event_log' => 'Journal des événements', - 'event_photos' => 'Photos de l\'événement', - 'invited' => 'Invité(s)', - 'invite_to_join' => 'Inviter à rejoindre l\'événement', - 'invite_volunteers' => 'Inviter des bénévoles', + 'no_upcoming_for_your_groups' => 'Il n\'y a actuellement aucun événement à venir pour vos groupes', + 'youre_going' => 'Tu y vas !', + 'online_event_question' => 'Événement en ligne ?', 'organised_by' => 'Organisé par :group', - 'request_review' => 'Retours de bénévoles', + 'event_actions' => 'Actions événementielles', + 'request_review' => 'Demande de révision', 'share_event_stats' => 'Partager les statistiques de l\'événement', - 'calendar_google' => 'Google Calendar', - 'calendar_ical' => 'iCal', - 'calendar_outlook' => 'Outlook', - 'calendar_yahoo' => 'Yahoo Calendar', - 'confirmed_none' => 'Il n\'y a pas de bénévoles confirmés à cet événement', - 'confirm_delete' => 'Etes-vous sûr de vouloir supprimer cet événement?', - 'delete_event' => 'Supprimer événement', - 'impact_calculation' => 'Comment calculons-nous l\'impact environnemental?Pour les appareils électriques: Nous avons recherché le poids moyen et l\'empreinte de CO2 de produits parmi une série de catégories, du smartphone au sèche-cheveu. Lorsque vous encodez un appareil que vous avez réparé, nous utilisons ces moyennes pour estimer l\'impact de cette réparation basé sur la catégorie de l\'appareil.
Pour les objets non-électriques: lorsque vous encodez un objet non-électrique que vous avez réparé, nous utilisons son poids (que vous avez encodé). Nous n\'avons pas encore de données de références pour les objets non-électriques, ce qui ne nous permet pas de donner une estimation de CO2 évité.
En savoir plus sur notre calcul d\'impact ici
', - 'invited_none' => 'Il n\'y a pas encore de bénévoles invités', - 'items_fixed' => 'Objets réparés', - 'not_counting' => 'L\'impact environnemental de cet événement n\'est pas pris en compte', - 'read_less' => 'Comment calculer l\'impact environnemental ?
+Nous avons étudié le poids moyen et la CO2des produits de différentes catégories, des smartphones aux t-shirts. Lorsque vous indiquez un article que vous avez réparé, nous utilisons ces moyennes pour estimer l\'impact de cette réparation en fonction de la catégorie de l\'article.
Dans le cas d\'articles divers, nous utilisons ces moyennes pour estimer l\'impact de cette réparation en fonction de la catégorie de l\'article
+ Pour en savoir plus sur la manière dont nous calculons l\'impact, cliquez ici {HTMLTAG_208}',
+ 'delete_event' => 'Supprimer un événement',
+ 'confirmed_none' => 'Il n\'y a pas de volontaires confirmés.',
+ 'invited_none' => 'Il n\'y a pas encore de volontaires invités.',
'view_map' => 'Voir la carte',
+ 'read_more' => 'LIRE LA SUITE Vous n\'avez pas défini de village/ville. Vous pouvez en ajouter un.e dans votre profil. Vous pouvez aussi voir tous les Repair Cafés. Il n\'y a apparemment pas encore de Repair Cafés listé proche de chez vous. Voulez-vous créer ou ajouter un Repair Café? Regardez comment faire dans nos ressources. Vous n\'avez pas de ville actuellement. Vous pouvez en définir une dansvotre profil. Vous pouvez égalementvoir tous les groupes. Il n\'y a pas de groupe dans un rayon de 50 km autour de votre position. Vous pouvezvoir tous les groupes ici. Ou pourquoi ne pas créer votre propre groupe ?Découvrez ce qu\'implique la gestion de votre propre événement de réparation. C’est LA place où se développe le mouvement de réparation communautaire des appareils électroniques. Le monde a besoin de plus d’initiatives de réparations, et de plus de partages de compétences: Inscrivez‐vous si vous souhaitez : Il s\'agit d\'un lieu pour développer le mouvement de réparation électronique communautaire. Le monde a besoin de plus de réparations et de plus de compétences à partager. Participez si vous le souhaitez: Merci de faire partie de notre espace communautaire. Et merci d\'être un bêta testeur! Avec vos commentaires, nous pouvons aider à améliorer la plate‐ forme pour tout le monde. Dans l\'espace communautaire, vous pouvez: Voici votre point de départ : le tableau de bord de la communauté. Grâce au tableau de bord, vous avez en un coup d\'œil des informations sur les derniers événements de la communauté, ainsi qu\'un accès rapide aux principales actions. Consultez en tout premier lieu la section Pour commencer. Merci d\'avoir rejoint notre espace communautaire. Dans l\'espace communautaire, vous pouvez : Votre point de départ est le tableau de bord de la communauté. Votre tableau de bord vous donne en un coup d\'œil des informations sur les derniers événements de la communauté, ainsi qu\'un accès rapide aux actions courantes. Un bon point de départ est la section Getting Started. La section Getting Started est un bon point de départ',
'previous' => 'Précédent',
+ 'slide1_heading' => 'Bienvenue !',
+ 'slide2_heading' => 'Votre porte d\'entrée pour la réparation communautaire',
+ 'slide3_heading' => 'C\'est parti !',
+ 'finishing_action' => 'Vers le tableau de bord',
'next' => 'Suivant',
];
diff --git a/lang/instances/base/fr/partials.php b/lang/instances/base/fr/partials.php
index ab28284b87..6417b1afe7 100644
--- a/lang/instances/base/fr/partials.php
+++ b/lang/instances/base/fr/partials.php
@@ -1,103 +1,100 @@
'Nouvelles de la communauté',
- 'community_news_text' => 'Les dernières nouvelles de notre blog communautaire ‐ nous sommes constamment à la recherche de sujets, envoyez vos idées à janet@therestartproject.org',
- 'see_more_posts' => 'Lire d’autres articles',
+ 'category' => 'Catégorie',
+ 'community_news' => 'Nouvelles de la Communauté',
+ 'community_news_text' => 'Les dernières nouvelles de notre blog communautaire - nous sommes toujours à la recherche d\'articles invités, envoyez vos idées àjanet@therestartproject.org',
+ 'see_more_posts' => 'Voir plus de postes',
'see_all_events' => 'Voir tous les événements',
- 'discussion' => 'Forum',
- 'discussion_text' => 'Rencontrez d\'autres organisateurs d\'événements et des bénévoles réparateurs, échangez des astuces, obtenez de l\'aide ou discutez des barrières systémiques pour des produits plus durables.',
- 'add_device' => 'Ajouter appareil',
- 'read_more' => 'Lire plus',
+ 'discussion' => 'Discussion',
+ 'discussion_text' => 'Rencontrez d\'autres organisateurs d\'événements et des réparateurs bénévoles, échangez des conseils, obtenez de l\'aide ou discutez des obstacles au niveau du système qui empêchent les produits de durer plus longtemps',
+ 'add_device' => 'Ajouter un article',
+ 'read_more' => 'En savoir plus',
'how_to_host_an_event' => 'Comment organiser un événement',
- 'how_to_host_an_event_text' => 'Forts de plusieurs années d\'expérience, nous vous offrons la recette de l\'organisation d\'événements communautaires de réparation. Découvrez également notre forum pour le soutien entre pairs.',
- 'view_the_materials' => 'Voir les ressources',
- 'waste_prevented' => 'Déchets évités',
- 'co2' => 'Estimation des émissions de CO2 évitées',
+ 'how_to_host_an_event_text' => 'Nous avons des années d\'expérience dans l\'organisation d\'événements de réparation communautaire et nous proposons des documents sur la manière d\'organiser ces événements. Nous proposons également un soutien de pair à pair sur notre forum.',
+ 'view_the_materials' => 'Voir le matériel',
+ 'waste_prevented' => 'déchets évités',
+ 'co2' => 'émissions estimées de CO2e évitées',
'restarters_in_your_area' => 'Bénévoles dans votre région',
- 'information_up_to_date' => 'Tenez votre Repair Café informé!',
- 'information_up_to_date_text' => 'Un profil à jour aide à recruter plus de bénévoles. Assurez-vous d\'être bien relié à votre site web ou page sur les réseaux sociaux.',
+ 'information_up_to_date' => 'Maintenez vos informations de groupe à jour !',
+ 'information_up_to_date_text' => 'Un profil actualisé permet de recruter davantage de bénévoles. Veillez à créer un lien vers votre site web ou vos canaux de médias sociaux.',
'your_recent_events' => 'Vos événements récents',
- 'your_recent_events_txt1' => 'Voici les événéments auxquels vous vous êtes inscrits, ou là où un hôte a enregistré votre participation',
- 'your_recent_events_txt2' => 'Voici une liste d\'événements récents auxquels vous avez participé - tous ont une importante contribution sur la communauté et l\'environnement',
+ 'your_recent_events_txt1' => 'Il s\'agit d\'événements auxquels vous avez répondu ou pour lesquels un hôte a enregistré votre participation.',
+ 'your_recent_events_txt2' => 'Voici une liste d\'événements récents auxquels vous avez participé - autant de contributions importantes à votre communauté et à l\'environnement.',
'no_past_events' => 'Pas d\'événements passés',
- 'area_text_1' => 'A travers cette communauté, les bénévoles potentiels s\'enregistrent et partagent leur localisation. La plate-forme est faite pour établir des connexions entre organisateurs et bénévoles réparateurs',
- 'area_text_2' => 'A travers cette communauté, les bénévoles potentiels s\'enregistrent et partagent leur localisation. Voici une liste de bénévoles potentiels près de chez vous',
- 'host_getting_started_title' => 'Pour débuter dans la réparation communautaire',
- 'host_getting_started_text' => 'Comment s’impliquer dans l’organisation d’événements communautaires de réparation.',
- 'getting_started_link' => 'Voir les ressources',
- 'restarter_getting_started_title' => 'Pour débuter dans la réparation communautaire',
- 'restarter_getting_started_text' => 'Comment s’impliquer dans l’organisation d’événements communautaires de réparation.',
- 'welcome_title' => 'Démarrer dans la communauté de bénévoles réparateurs',
- 'welcome_text' => 'Nous proposons des documents sur la manière d\'aider les autres à réparer leurs appareils électroniques lors d\'événements communautaires : sur la manière de partager vos compétences en matière de réparation dans votre communauté et d\'aider à organiser des événements',
+ 'area_text_1' => 'Grâce à cette communauté, les bénévoles potentiels s\'inscrivent eux-mêmes et partagent leur localisation. La plateforme est conçue pour mettre en relation les organisateurs et les réparateurs.',
+ 'area_text_2' => 'Grâce à cette communauté, les bénévoles potentiels s\'inscrivent eux-mêmes et indiquent où ils se trouvent. Voici une liste de volontaires potentiels près de chez vous',
+ 'host_getting_started_title' => 'Se lancer dans la réparation communautaire',
+ 'host_getting_started_text' => 'Nous proposons des documents sur la manière d\'organiser des événements de réparation dans votre communauté.',
+ 'getting_started_link' => 'Voir le matériel',
+ 'restarter_getting_started_title' => 'Se lancer dans la réparation communautaire',
+ 'restarter_getting_started_text' => 'Nous proposons des documents sur la manière d\'aider les autres à réparer leurs appareils électroniques lors d\'événements communautaires : comment partager vos compétences en matière de réparation au sein de votre communauté et contribuer à l\'organisation d\'événements.',
+ 'welcome_title' => 'Se lancer dans la réparation communautaire',
+ 'welcome_text' => 'Nous proposons des documents sur la manière d\'aider les autres à réparer leurs appareils électroniques lors d\'événements communautaires : comment partager vos compétences en matière de réparation au sein de votre communauté et aider à organiser des événements',
'wiki_title' => 'Wiki',
- 'wiki_text' => 'Une sélection changeante de pages de notre wiki de réparation. Apprenez‐en sur la réparation communautaire et contribuez avec vos propres conseils!',
- 'remove_volunteer' => 'Enlever bénévole',
- 'host' => 'Organisateur',
+ 'wiki_text' => 'Une sélection changeante de pages de notre wiki de réparation. Lisez et contribuez aux conseils de réparation de la communauté !',
+ 'remove_volunteer' => 'Retirer le volontaire',
+ 'host' => 'Hôte',
'update' => 'Mise à jour',
- 'category' => 'Catégorie',
- 'category_none' => 'Aucun de ceux ci-dessus',
- 'fixed' => 'Réparé',
+ 'category_none' => 'Aucune de ces réponses',
+ 'fixed' => 'Fixe',
'repairable' => 'Réparable',
'end' => 'Fin',
- 'end_of_life' => 'Fin-de-vie',
- 'more_time' => 'Plus de temps requis',
+ 'end_of_life' => 'Fin de vie',
+ 'more_time' => 'Plus de temps nécessaire',
'professional_help' => 'Aide professionnelle',
- 'diy' => 'Do it yourself',
+ 'diy' => 'Faites-le vous-même',
'yes' => 'Oui',
- 'yes_manufacturer' => 'Oui - du fabricant',
- 'yes_third_party' => 'Oui - d\'un tiers',
- 'no' => 'Pas nécéssaires',
+ 'yes_manufacturer' => 'Pièces nécessaires - du fabricant',
+ 'yes_third_party' => 'Pièces détachées requises - par un tiers',
+ 'no' => 'Aucune pièce de rechange n\'est nécessaire',
'n_a' => 'N/A',
- 'least_repaired' => 'Dernier réparé',
+ 'least_repaired' => 'Le moins réparé',
'most_repaired' => 'Les plus réparés',
'most_seen' => 'Les plus vus',
- 'no_devices_added' => 'Pas d\'appareils ajoutés',
+ 'no_devices_added' => 'Aucun dispositif ajouté',
'add_a_device' => 'Ajouter un appareil',
- 'event_requires_moderation_by_an_admin' => 'L\'événement nécessite l\'approbation d\'un administrateur',
- 'save' => 'Sauver appareil',
+ 'event_requires_moderation_by_an_admin' => 'L\'événement doit être modéré par un administrateur',
+ 'save' => 'Sauvegarder l\'article',
'hot_topics' => 'Sujets d\'actualité',
- 'hot_topics_link' => 'Tous les derniers sujets d\'actualités',
- 'hot_topics_text' => 'Prenez part au dernier sujet d\'actualité de réparation sur Restarters Talk',
- 'choose_barriers' => 'Choisir l\'obstacle principal à la réparation',
- 'quantity' => 'Quantité',
+ 'hot_topics_text' => 'Participez aux derniers sujets d\'actualité sur la réparation sur Restarters Talk.',
+ 'hot_topics_link' => 'Tous les sujets d\'actualité de la semaine',
+ 'choose_barriers' => 'Choisir le principal obstacle à la réparation',
+ 'add_device_powered' => 'Ajouter un objet motorisé',
+ 'add_device_unpowered' => 'Ajouter un objet sans pouvoir',
+ 'emissions_equivalent_consume_low' => 'c\'est comme cultiver des semis d\'arbres de :valeur pendant 10 ans|c\'est comme cultiver des semis d\'arbres de :valeur pendant 10 ans',
+ 'emissions_equivalent_consume_high' => 'c\'est comme planter environ :valeur hectare d\'arbres|c\'est comme planter environ :valeur hectares d\'arbres',
+ 'emissions_equivalent_consume_low_explanation' => 'Arbres à croissance moyenne, conifères ou feuillus, plantés en milieu urbain et cultivés pendant 10 ans.',
+ 'emissions_equivalent_consume_high_explanation' => 'Semis d\'arbres feuillus cultivés dans une plantation ou un bois en Angleterre pendant 1 an.',
+ 'to_be_recycled' => ':objet de valeur à recycler|:objet de valeur à recycler',
+ 'to_be_repaired' => ':valeur de l\'objet à réparer|:valeur de l\'objet à réparer',
+ 'no_weight' => ':valeur objets divers ou non motorisés sans estimation de poids|:valeur objets divers ou non motorisés sans estimation de poids',
'cancel' => 'Annuler',
- 'powered_only' => '(calculé pour les objets électriques uniquement)',
- 'add_device_powered' => 'Ajouter appareil électrique',
- 'add_device_unpowered' => 'Ajouter appareil non-électrique',
- 'are_you_sure' => 'Etes-vous sûr?',
+ 'loading' => 'Chargement',
'close' => 'Fermer',
- 'emissions_equivalent_consume_low' => "c'est comme cultiver un semis d'arbre de valeur pendant 10 ans|c'est comme cultiver :value semis d'arbres pendant 10 ans.",
- 'emissions_equivalent_consume_high' => "c'est comme planter environ 1 hectare d'arbres|c'est comme planter environ :value hectares d'arbres.",
- 'emissions_equivalent_consume_low_explanation' => 'Arbres à croissance moyenne, conifères ou feuillus, plantés en milieu urbain et cultivés pendant 10 ans.',
- 'emissions_equivalent_consume_high_explanation' => "Semis d'arbres feuillus cultivés dans une plantation ou un bois en Angleterre pendant 1 an.",
- 'loading' => 'Téléchargement',
- 'no_weight' => ':value objet(s) divers ou objet(s) non-électriques sans poids estimé(s)',
- 'please_confirm' => 'Veuillez confirmer que vous souhaitez continuer.',
- 'skills' => 'Compétence(s)',
- 'something_wrong' => 'Quelque chose ne va pas',
- 'to_be_recycled' => ':value objet à recycler|:value objets à recycler',
- 'to_be_repaired' => ':value objet à réparer|:value objets à réparer',
- 'copied_to_clipboard' => 'Copié dans le presse-papier',
- 'event_requires_moderation' => 'L\'événement nécessite une approbation',
- 'remove' => 'Supprimer',
+ 'skills' => 'compétence|compétences',
+ 'something_wrong' => 'Quelque chose a mal tourné',
+ 'are_you_sure' => 'Êtes-vous sûr ?',
+ 'please_confirm' => 'Veuillez confirmer que vous souhaitez poursuivre.',
+ 'event_requires_moderation' => 'L\'événement nécessite de la modération',
+ 'copied_to_clipboard' => 'Copié dans le presse-papiers.',
'total' => 'total',
+ 'remove' => 'supprimer',
'please_choose' => 'Veuillez choisir...',
- 'confirm' => 'Confirmer',
'notification_greeting' => 'Bonjour !',
- 'notification_footer' => 'Si vous souhaitez ne plus recevoir ces courriels, veuillez consulter vos préférences sur votre compte.',
+ 'confirm' => 'Confirmer',
'validate_timezone' => 'Veuillez sélectionner un fuseau horaire valide.',
- 'share_this' => 'Partager ceci',
+ 'share_this' => 'Partager cette information',
'download' => 'Télécharger',
'share_modal_title' => 'Statistiques à partager',
- 'share_modal_weve_saved' => "Nous avons économisé",
+ 'share_modal_weve_saved' => 'Nous avons sauvé',
'share_modal_of_co2' => 'de CO2e',
'share_modal_by_repairing' => 'en réparant',
- 'share_modal_broken_stuff' => 'des objets cassés.',
- 'share_modal_thats_like' => "Cela revient à",
- 'share_modal_growing_about' => "faire pousser environ",
- 'share_modal_seedlings' => "plant d’arbre pendant 10 ans.*|plants d’arbres pour 10 ans.*",
- 'share_modal_planting_around' => "planter environ",
- 'share_modal_hectares' => "hectare d’arbres.*|hectares d’arbres.*",
+ 'share_modal_broken_stuff' => 'des choses cassées.',
+ 'share_modal_thats_like' => 'C\'est comme',
+ 'share_modal_growing_about' => 'se développer à propos de',
+ 'share_modal_seedlings' => 'plant d\'arbre pour 10 ans.*|plant d\'arbre pour 10 ans.*',
+ 'share_modal_planting_around' => 'planter autour',
+ 'share_modal_hectares' => 'hectare d\'arbres.*|hectares d\'arbres.*',
'impact_estimates' => 'Les chiffres relatifs à l\'impact sont des estimations basées sur les données saisies par les groupes dans Restarters.net.',
];
diff --git a/lang/instances/base/fr/passwords.php b/lang/instances/base/fr/passwords.php
index af2e73c6d0..b9d340addb 100644
--- a/lang/instances/base/fr/passwords.php
+++ b/lang/instances/base/fr/passwords.php
@@ -1,9 +1,11 @@
'Votre mot de passe a été réinitialisé!',
- 'sent' => 'Nous vous avons envoyé un e-mail contenant le lien pour réinitialiser votre mot de passe',
- 'token' => 'Ce token de réinitialisation est invalide.',
- 'user' => 'Nous ne trouvons pas d\'utilisateur avec cette adresse e-mail',
- 'password' => 'Les mots de passe doivent contenir au moins six caractères et correspondre à la confirmation',
+ 'sent' => 'Nous vous avons envoyé par e-mail le lien de réinitialisation de votre mot de passe !',
+ 'user' => 'Nous ne trouvons pas d\'utilisateur avec cette adresse e-mail.',
+ 'invalid' => 'Veuillez saisir un courriel valide.',
+ 'recover_title' => 'Recouvrement des comptes',
+ 'match' => 'Les mots de passe ne correspondent pas',
+ 'updated' => 'Le mot de passe a été mis à jour, veuillez vous connecter pour continuer.',
+ 'failed' => 'Impossible de mettre à jour le mot de passe.',
];
diff --git a/lang/instances/base/fr/profile.php b/lang/instances/base/fr/profile.php
index bf45003af3..c78d98ac6f 100644
--- a/lang/instances/base/fr/profile.php
+++ b/lang/instances/base/fr/profile.php
@@ -1,52 +1,52 @@
'Compétences',
- 'my_skills' => 'Mes compétences',
- 'biography' => 'Biographie',
- 'no_bio' => ':name n\'a pas encore enregistré de biographie',
- 'edit_user' => 'Editer utilisateur',
- 'change_photo' => 'Changer ma photo',
- 'profile_picture' => 'Photo de profil',
- 'language_panel_title' => 'Paramètres de langue',
- 'language_updated' => 'Préférence de langue mise à jour',
- 'preferred_language' => 'Langue de préférence',
- 'skills_updated' => 'Compétences mises à jour!',
- 'account' => 'Compte',
- 'calendars' => [
- 'all_events' => 'Tous les événements (administrateurs seulement)',
- 'copy_link' => 'Copier lien',
- 'events_by_area' => 'Evénements par région',
- 'explainer' => 'Vous pouvez maintenant suivre les événements en utilisant le calendrier en vous inscrivant dans le calendrier ci-dessous. Vous pouvez vous inscrire à autant de calendriers que vous voulez.',
- 'find_out_more' => 'En savoir plus',
- 'group_calendars' => 'Calendriers des Repair Cafés',
- 'my_events' => 'Mes événements',
- 'title' => 'Calendriers',
- ],
- 'country' => 'Pays',
- 'email_address' => 'Adresse e-mail',
- 'email_preferences' => 'Préférences E-mail',
- 'page_title' => 'Profil & préférences',
- 'profile' => 'Profil',
- 'save_profile' => 'Sauver le profil',
- 'view_profile' => 'Voir profil',
- 'view_user_profile' => 'Voir profil d\'utilisateur',
- 'name' => 'Prénom & Nom',
- 'notifications' => 'Notifications',
- 'repair_directory' => 'Répertoire de la réparation',
- 'repair_dir_editor' => 'Editeur',
- 'repair_dir_none' => 'Pas d\'accès',
- 'repair_dir_regional_admin' => 'Administrateur régional',
- 'repair_dir_role' => 'Rôle du répertoire de réparation',
- 'repair_dir_superadmin' => 'Super admin',
- 'password_old_mismatch' => 'Le mot de passe actuel ne correspond pas !',
- 'password_new_mismatch' => 'Les nouveaux mots de passe ne correspondent pas !',
- 'password_changed' => 'Mot de passe de l\'utilisateur mis à jour !',
- 'profile_updated' => 'Profil de l\'utilisateur mis à jour !',
- 'preferences_updated' => 'Mise à jour des préférences de l\'utilisateur !',
- 'soft_deleted' => 'Le compte de :name\ a été supprimé.',
- 'picture_success' => 'Mise à jour de la photo de profil!',
- 'picture_error' => 'Impossible de télécharger la photo de profil!',
- 'admin_success' => 'Paramètres d\'administration mis à jour',
- 'create_success' => 'Utilisateur créé avec succès!',
+ 'skills' => 'Compétences',
+ 'my_skills' => 'Mes compétences',
+ 'biography' => 'Biographie',
+ 'no_bio' => ':name n\'a pas encore de biographie.',
+ 'edit_user' => 'Modifier l\'utilisateur',
+ 'change_photo' => 'Changer ma photo',
+ 'profile_picture' => 'Photo de profil',
+ 'skills_updated' => 'Compétences mises à jour !',
+ 'notifications' => 'Notifications',
+ 'language_panel_title' => 'Paramètres linguistiques',
+ 'preferred_language' => 'Langue préférée',
+ 'language_updated' => 'Mise à jour des préférences linguistiques',
+ 'page_title' => 'Profil et préférences',
+ 'profile' => 'Profil',
+ 'account' => 'Compte',
+ 'email_preferences' => 'Préférences en matière de courrier électronique',
+ 'calendars' => [
+ 'title' => 'Calendriers',
+ 'explainer' => 'Vous pouvez désormais suivre les événements à l\'aide de votre application de calendrier personnelle en vous abonnant aux flux de calendriers ci-dessous. Vous pouvez vous abonner à autant de calendriers que vous le souhaitez.',
+ 'find_out_more' => 'En savoir plus',
+ 'my_events' => 'Mes événements',
+ 'copy_link' => 'Copier le lien',
+ 'group_calendars' => 'Calendriers de groupe',
+ 'all_events' => 'Tous les événements (réservé à l\'administrateur)',
+ 'events_by_area' => 'Événements par région',
+ ],
+ 'name' => 'Nom',
+ 'country' => 'Pays',
+ 'email_address' => 'Adresse électronique',
+ 'save_profile' => 'Sauvegarder le profil',
+ 'view_profile' => 'Voir le profil',
+ 'view_user_profile' => 'Voir le profil de l\'utilisateur',
+ 'repair_directory' => 'Répertoire des réparations',
+ 'repair_dir_role' => 'Rôle du répertoire de réparation',
+ 'repair_dir_none' => 'Pas d\'accès',
+ 'repair_dir_editor' => 'Éditeur',
+ 'repair_dir_regional_admin' => 'Administrateur régional',
+ 'repair_dir_superadmin' => 'SuperAdmin',
+ 'password_old_mismatch' => 'Le mot de passe actuel ne correspond pas !',
+ 'password_new_mismatch' => 'Les nouveaux mots de passe ne correspondent pas !',
+ 'password_changed' => 'Mise à jour du mot de passe de l\'utilisateur !',
+ 'profile_updated' => 'Profil d\'utilisateur mis à jour !',
+ 'preferences_updated' => 'Mise à jour des préférences de l\'utilisateur !',
+ 'soft_deleted' => 'le compte de :name a été supprimé en douceur.',
+ 'picture_success' => 'Mise à jour de la photo de profil !',
+ 'picture_error' => 'Échec du téléchargement de la photo de profil !',
+ 'admin_success' => 'Mise à jour des paramètres administratifs',
+ 'create_success' => 'L\'utilisateur a été créé avec succès !',
];
diff --git a/lang/instances/base/fr/registration.php b/lang/instances/base/fr/registration.php
index 6902584309..1c333d1055 100644
--- a/lang/instances/base/fr/registration.php
+++ b/lang/instances/base/fr/registration.php
@@ -1,38 +1,37 @@
'Quelles sont les compétences que vous aimeriez partager avec d\'autres ?',
+ 'town-city-placeholder' => 'Par exemple, Paris, Londres, Bruxelles',
+ 'reg-step-3-label1' => 'Je souhaite recevoir la lettre d\'information mensuelle du projet \"Restart\"',
+ 'reg-step-3-label2' => 'Je souhaite recevoir des notifications par courrier électronique sur les événements ou les groupes organisés près de chez moi',
+ 'reg-step-4-label1' => 'Données personnelles. Je consens à ce que le projet Restart utilise mes données personnelles en interne dans le but de m\'inscrire dans la communauté, de vérifier la source des données de réparation et d\'améliorer l\'expérience des volontaires. Je comprends que mon profil personnel sera visible par les autres membres de la communauté, mais les données personnelles fournies ne seront jamais partagées avec des tiers sans mon consentement. Je sais que je peux supprimer mon profil et toutes mes données personnelles à tout moment - et accéder à la politique de confidentialité de la communautéici.',
+ 'reg-step-4-label2' => 'Données de réparation. En fournissant des données de réparation au Fixometer, j\'accorde au projet Restart une licence perpétuelle libre de droits pour les utiliser. La licence permet à Restart de distribuer les données sous n\'importe quelle licence ouverte et de conserver toutes les données non personnelles même si je demande la suppression de mon profil personnel sur le Fixometer. () Pour en savoir plus sur l\'utilisation des données de réparation, cliquez ici{)',
+ 'reg-step-4-label3' => 'Données historiques sur les réparations. J\'accorde une licence perpétuelle libre de droits pour toutes mes contributions antérieures de données de réparation au projet Restart. La licence permet à Restart de distribuer les données sous n\'importe quelle licence ouverte et de conserver toutes les données non personnelles même si je demande la suppression de mon profil personnel sur le Fixometer. () Pour en savoir plus sur l\'utilisation des données de réparation, cliquez ici{)',
+ 'complete-profile' => 'Compléter mon profil',
'age' => 'Année de naissance',
- 'age_help' => 'Pour développer la réparation communautaire, nous avons besoin de mieux comprendre la dynamique intergénérationnelle.',
- 'age_validation' => 'Veuillez taper votre année de naissance.',
+ 'age_help' => 'Pour contribuer à la réparation des communautés, nous devons mieux comprendre la dynamique intergénérationnelle.',
+ 'age_validation' => 'Veuillez ajouter votre année de naissance.',
'country' => 'Pays',
- 'country_help' => 'Savoir où sont localisés les bénévoles aide à développer la communauté au niveau mondial.',
- 'country_validation' => 'Veuillez entrer votre pays.',
- 'gender' => 'Genre (facultatif)',
- 'gender_help' => 'Révéler votre identité de genre aiderait la communauté à promouvoir la diversité, mais nous comprenons que tout le monde ne veuille pas partager cette information.',
+ 'country_help' => 'Le fait de savoir où sont basés les volontaires contribue à faire grandir la communauté mondiale.',
+ 'country_validation' => 'Veuillez ajouter votre pays.',
+ 'gender' => 'Sexe (facultatif)',
+ 'gender_help' => 'Partager son identité sexuelle peut aider la communauté à apprendre à promouvoir la diversité, mais nous comprenons que tout le monde ne souhaite pas partager son identité.',
'town-city' => 'Ville (facultatif)',
- 'town-city_help' => 'Cela aide les bénévoles à rejoindre des repair cafés et à trouver des événements locaux.',
- 'town-city-placeholder' => 'Ex. Paris, Londres, Bruxelles',
- 'reg-step-1-heading' => 'Quelles compétences aimeriez‐vous partager avec les autres?',
- 'reg-step-2-heading' => 'Parlez‐nous un peu de vous',
- 'reg-step-3-heading' => 'Comment voulez‐vous que nous restions en contact?',
- 'reg-step-4-heading' => 'Utilisations des données que vous entrez',
- 'reg-step-1-1' => 'Ceci est facultatif mais ça nous aide à améliorer votre expérience ainsi qu’à organiser des événements. Vous pourrez effectuer des modifications plus tard dans votre profil.',
- 'reg-step-2-1' => 'Cette information nous est utile pour mieux servir la communauté. Parmi vos données personnelles, seules vos compétences, votre ville et votre nom seront visibles par les autres membres de la communauté.',
+ 'town-city_help' => 'La ville aide à mettre en relation les bénévoles et les groupes et à trouver des événements locaux.',
+ 'reg-step-2-heading' => 'Parlez-nous un peu de vous',
+ 'reg-step-3-heading' => 'Comment souhaitez-vous que nous restions en contact ?',
+ 'reg-step-4-heading' => 'Utilisation des données saisies',
+ 'reg-step-1-1' => 'Ces informations sont facultatives, mais elles nous aident à améliorer votre expérience et à organiser des événements. Vous pouvez les modifier ultérieurement dans votre profil.',
+ 'reg-step-2-1' => 'Ces informations nous permettent de mieux servir la communauté. Parmi vos données personnelles, seuls vos compétences, votre ville et votre nom seront visibles par les autres membres de la communauté.',
'reg-step-2-2' => 'Pour créer un compte, vous devez définir un mot de passe',
- 'reg-step-3-1a' => 'Nous pouvons vous envoyer des mises à jour par e-mail sur les événements et les repair cafés qui vous concernent.',
- 'reg-step-4' => 'Veuillez donner votre accord pour l\'utilisation des données que vous entrez',
- 'reg-step-3-label1' => 'Je souhaite recevoir le bulletin mensuel du Restart Project',
- 'reg-step-3-label2' => 'Je souhaite recevoir des notifications par e-mail sur des événements ou des repair cafés proches de chez moi',
- 'reg-step-4-label1' => 'Données personnelles. Je consens à ce que le Restart Project utilise mes données personnelles en interne afin de m\'inscrire dans la communauté, de vérifier la source des données de réparation et d\'améliorer l\'expérience de bénévolat. Je comprends que mon profil personnel sera visible pour les autres membres de la communauté, cependant les données personnelles fournies ne seront jamais partagées avec des tiers sans mon consentement. Je comprends que je peux supprimer mon profil et toutes mes données personnelles à tout moment ‐ et accéder à la politique de confidentialité de la communauté ici.',
- 'reg-step-4-label2' => 'Données de réparation. En contribuant au Réparomètre (Fixometer) avec mes données de réparation, je donne au Restart Project une licence perpétuelle libre de droits pour les utiliser. La licence permet au Restart Project de distribuer les données sous n\'importe quelle licence ouverte et de conserver toutes les données non personnelles même si je demande la suppression de mon profil personnel sur le Réparomètre (Fixometer). (En savoir plus sur la façon
-dont nous utilisons les données de réparation ici.)',
- 'reg-step-4-label3' => 'Historical Repair Data. I give a perpetual royalty-free license to any of my previous repair data contributions to The Restart Project. The license allows Restart to distribute the data under any open license and to retain any non-personal data even in case I request deletion of my personal profile on the Fixometer. (Read more about how we use repair data here.)',
- 'next-step' => 'Étape suivante',
- 'complete-profile' => 'Compléter mon profil',
+ 'reg-step-3-1a' => 'Nous pouvons vous envoyer par courrier électronique des mises à jour sur les événements et les groupes qui vous concernent, ainsi que sur les activités du projet Restart en général.',
+ 'reg-step-3-2b' => 'Après votre inscription, vous recevrez une courte série d\'e-mails de bienvenue. Vous pouvez également choisir de recevoir d\'autres communications ci-dessous.',
+ 'reg-step-4' => 'Veuillez donner votre accord pour que nous utilisions les données que vous avez saisies.',
+ 'next-step' => 'Prochaine étape',
'previous-step' => 'Étape précédente',
- 'step-1' => 'Étape 1 sur 4',
- 'step-2' => 'Étape 2 sur 4',
- 'step-3' => 'Étape 3 sur 4',
+ 'step-1' => 'Étape 1 de 4',
+ 'step-2' => 'Étape 2 de 4',
+ 'step-3' => 'Étape 3 de 4',
'step-4' => 'Étape 4 sur 4',
- 'reg-step-3-2b' => 'Après votre enregistrement, vous recevrez quelques e-mails. Vous pouvez aussi opter pour d\'autres moyens de communication ci-dessous.',
];
diff --git a/lang/instances/base/fr/reporting.php b/lang/instances/base/fr/reporting.php
index fdd49afcf2..90eafbfa63 100644
--- a/lang/instances/base/fr/reporting.php
+++ b/lang/instances/base/fr/reporting.php
@@ -3,9 +3,9 @@
return [
'breakdown_by_country' => 'Répartition par pays',
'breakdown_by_city' => 'Répartition par ville',
- 'breakdown_by_country_content' => 'Heures de bénévolat groupées par pays des bénvoles',
- 'breakdown_by_city_content' => 'Nombre d\'heures de bénévolat groupées par ville de bénévole (note: la ville et la nationalité sont optionnels, et ne seront donc pas visible pour tous les bénévoles)',
- 'total_hours' => 'Total des heures',
+ 'breakdown_by_country_content' => 'Heures de volontariat regroupées par pays de volontariat.',
+ 'breakdown_by_city_content' => 'Heures de bénévolat regroupées par ville du bénévole (note : la ville/le pays est facultatif et peut ne pas être défini pour tous les bénévoles).',
'country_name' => 'Nom du pays',
'town_city_name' => 'Nom de la ville',
+ 'total_hours' => 'Nombre total d\'heures',
];
diff --git a/lang/instances/base/fr/skills.php b/lang/instances/base/fr/skills.php
index 39d6812b66..cbe2f59f50 100644
--- a/lang/instances/base/fr/skills.php
+++ b/lang/instances/base/fr/skills.php
@@ -1,7 +1,7 @@
'Compétence créée avec succès!',
- 'update_success' => 'Compétence mise à jour avec succès!',
- 'delete_success' => 'Compétence supprimée avec succès!',
-];
\ No newline at end of file
+ 'create_success' => 'Compétence créée avec succès !',
+ 'update_success' => 'Mise à jour de la compétence réussie !',
+ 'delete_success' => 'Compétence supprimée avec succès !',
+];
diff --git a/lang/instances/base/it/admin.php b/lang/instances/base/it/admin.php
index d87f1662c8..938e826b04 100644
--- a/lang/instances/base/it/admin.php
+++ b/lang/instances/base/it/admin.php
@@ -2,43 +2,42 @@
return [
'categories' => 'Categorie',
- 'skills' => 'Abilità',
- 'brand' => 'Marca',
- 'create-new-category' => 'Crea nuova categoria',
- 'category_name' => 'Nome categoria',
- 'skill_name' => 'Nome abilità',
- 'delete-skill' => 'Cancella abilità',
- 'create-new-skill' => 'Crea nuova abilità',
- 'create-new-tag' => 'Crea nuova etichetta',
- 'create-new-brand' => 'Crea nuova marca',
- 'name' => 'Nome',
- 'skills_modal_title' => 'Aggiungi nuova abilità',
- 'tags_modal_title' => 'Aggiungi nuova etichetta',
- 'brand_modal_title' => 'Aggiungi nuova marca',
- 'category_cluster' => 'Gruppo di categorie',
+ 'skills' => 'Competenze',
+ 'brand' => 'Marchio',
+ 'create-new-category' => 'Creare una nuova categoria',
+ 'category_name' => 'Nome della categoria',
+ 'skill_name' => 'Nome dell\'abilità',
+ 'delete-skill' => 'Eliminare l\'abilità',
+ 'create-new-skill' => 'Creare una nuova abilità',
+ 'create-new-tag' => 'Creare un nuovo tag',
+ 'create-new-brand' => 'Creare un nuovo marchio',
+ 'skills_modal_title' => 'Aggiungi una nuova abilità',
+ 'tags_modal_title' => 'Aggiungi un nuovo tag',
+ 'brand_modal_title' => 'Aggiungi un nuovo marchio',
+ 'category_cluster' => 'Categoria Cluster',
'weight' => 'Peso (kg)',
- 'co2_footprint' => 'CO2 Footprint (kg)',
+ 'co2_footprint' => 'CO2Impronta (kg)',
'reliability' => 'Affidabilità',
'reliability-1' => 'Molto scarso',
- 'reliability-2' => 'Scarso',
- 'reliability-3' => 'Giusto',
+ 'reliability-2' => 'Povero',
+ 'reliability-3' => 'Fiera',
'reliability-4' => 'Buono',
'reliability-5' => 'Molto buono',
- 'reliability-6' => 'N/A',
+ 'reliability-6' => 'N/D',
'description' => 'Descrizione',
'description_optional' => 'Descrizione (opzionale)',
- 'save-category' => 'Salva categoria',
+ 'save-category' => 'Salva la categoria',
'edit-category' => 'Modifica categoria',
- 'save-skill' => 'Salva abilità',
+ 'save-skill' => 'Abilità di salvataggio',
'edit-skill' => 'Modifica abilità',
- 'edit-category-content' => 'Modifica contenuto categoria',
- 'edit-skill-content' => 'Modifica contenuto abilità',
- 'group-tags' => 'Etichette gruppi',
- 'delete-tag' => 'Cancella etichetta',
- 'save-tag' => 'Salva etichetta',
- 'save-brand' => 'Salva marca',
- 'tag-name' => 'Nome etichetta',
- 'brand-name' => 'Nome marca',
- 'edit-brand' => 'Modifica marca',
- 'edit-brand-content' => 'Modifica contenuto dellla marca',
+ 'edit-category-content' => '',
+ 'edit-skill-content' => '',
+ 'group-tags' => 'Tag di gruppo',
+ 'delete-tag' => 'Elimina il tag',
+ 'save-tag' => 'Salva il tag',
+ 'save-brand' => 'Salva il marchio',
+ 'tag-name' => 'Nome del tag',
+ 'brand-name' => 'Nome del marchio',
+ 'edit-brand' => 'Modifica del marchio',
+ 'edit-brand-content' => '',
];
diff --git a/lang/instances/base/it/auth.php b/lang/instances/base/it/auth.php
index e59916e79f..480a9ca20a 100644
--- a/lang/instances/base/it/auth.php
+++ b/lang/instances/base/it/auth.php
@@ -1,36 +1,34 @@
'Queste credenziali non combaciano con i nostri dati.',
- 'throttle' => 'Troppi tentativi di accesso. Per favore riprova in :seconds secondi.',
- 'email_address' => 'Indirizzo email',
- 'email_address_validation' => 'Esiste già un account con questo indirizzo email. Hai già provato a fare login?',
- 'sign_in' => 'Mi ricordo. Vorrei entrare',
- 'forgotten_pw' => 'Hai dimenticato la tua password?',
- 'forgotten_pw_text' => 'Puo\' succedere a chiunque.
-Inserisci semplicemente il tuo indirizzo email per ricevere un messaggio di reimpostazione della password .',
- 'reset' => 'Resetta',
+ 'email_address_validation' => 'Esiste già un account con questo indirizzo e-mail. Ha provato ad accedere?',
+ 'login' => 'Accesso',
+ 'delete_account' => 'Cancellare l\'account',
+ 'failed' => 'L\'indirizzo e-mail non è registrato nel sistema o la password non è corretta.',
+ 'email_address' => 'Indirizzo e-mail',
+ 'sign_in' => 'Mi sono ricordato. Fammi firmare',
+ 'forgotten_pw' => 'Avete dimenticato la password?',
+ 'forgotten_pw_text' => 'Succede a tutti noi. Basta inserire il proprio indirizzo e-mail per ricevere un messaggio di reimpostazione della password.',
+ 'reset' => 'Reset',
'password' => 'Password',
- 'repeat_password' => 'Ripeti la password',
- 'repeat_password_validation' => 'Le password non sono uguali o sono più corte di sei caratteri',
+ 'repeat_password' => 'Ripetere la password',
+ 'repeat_password_validation' => 'Le password non corrispondono o hanno meno di sei caratteri',
'forgot_password' => 'Password dimenticata',
- 'change_password' => 'Cambia password',
- 'change_password_text' => 'Tieni il tuo account al sicuro e cambia regolarmente la tua password.',
- 'reset_password' => 'Resetta password',
- 'create_account' => 'Crea un account',
+ 'change_password' => 'Modifica della password',
+ 'change_password_text' => 'Mantenete il vostro account al sicuro e cambiate regolarmente la password.',
+ 'reset_password' => 'Reimpostare la password',
+ 'create_account' => 'Creare un account',
'current_password' => 'Password attuale',
'new_password' => 'Nuova password',
- 'new_repeat_password' => 'Ripeti nuova password',
- 'login' => 'Accesso',
- 'delete_account' => 'Cancella account',
- 'delete_account_text' => 'Capisco che cancellando il mio account verranno rimossi i miei dati personali e che questa è una operazione irreversibile.',
- 'save_preferences' => 'Salva preferenze',
- 'set_preferences' => 'Clicca qui per impostare
-le tue preferenze email per la nostra piattaforma di discussione',
- 'profile_admin' => 'Solo per Admin',
- 'profile_admin_text' => 'Qui gli amministratori hanno la possibilità di cambiare i ruoli degli utenti e i gruppi a loro associati',
- 'user_role' => 'Ruolo utente',
- 'assigned_groups' => 'Gruppi assegnati',
+ 'new_repeat_password' => 'Ripetere la nuova password',
+ 'delete_account_text' => 'Sono a conoscenza del fatto che la cancellazione del mio account comporta la rimozione di tutti i miei dati personali e che
+si tratta di un\'azione permanente.',
+ 'save_preferences' => 'Salva le preferenze',
+ 'set_preferences' => 'Fare clic qui per impostare le preferenze di posta elettronica per la nostra piattaforma di discussione',
+ 'profile_admin' => 'Solo per l\'amministratore',
+ 'profile_admin_text' => 'Qui gli amministratori hanno la possibilità di modificare il ruolo di un utente o i gruppi ad esso associati',
+ 'user_role' => 'Ruolo dell\'utente',
+ 'assigned_groups' => 'Assegnati ai gruppi',
'save_user' => 'Salva utente',
- 'login_before_using_shareable_link' => 'Per completare il tuo invito per favore crea un account qui sotto, o se hai già un account fai login qui.',
+ 'login_before_using_shareable_link' => 'Per completare il tuo invito, crea un account qui sotto o, se hai già un account, accedi qui.',
];
diff --git a/lang/instances/base/it/brands.php b/lang/instances/base/it/brands.php
new file mode 100644
index 0000000000..82b2a0e9ce
--- /dev/null
+++ b/lang/instances/base/it/brands.php
@@ -0,0 +1,7 @@
+ 'Marchio creato con successo!',
+ 'update_success' => 'Marchio aggiornato con successo!',
+ 'delete_success' => 'Marchio cancellato!',
+];
diff --git a/lang/instances/base/it/calendars.php b/lang/instances/base/it/calendars.php
index b61d96fc0e..03a265765e 100644
--- a/lang/instances/base/it/calendars.php
+++ b/lang/instances/base/it/calendars.php
@@ -1,6 +1,7 @@
'Trova di piu\'',
- 'see_all_calendars' => 'Accesso a tutti i miei calendari',
+ 'find_out_more' => 'Per saperne di più',
+ 'see_all_calendars' => 'Vedi tutti i miei calendari',
+ 'add_to_calendar' => 'Aggiungi al calendario',
];
diff --git a/lang/instances/base/it/category.php b/lang/instances/base/it/category.php
new file mode 100644
index 0000000000..32656365db
--- /dev/null
+++ b/lang/instances/base/it/category.php
@@ -0,0 +1,6 @@
+ 'Categoria aggiornata!',
+ 'update_error' => 'La categoria non può essere aggiornata!',
+];
diff --git a/lang/instances/base/it/countries.php b/lang/instances/base/it/countries.php
new file mode 100644
index 0000000000..425228c6ac
--- /dev/null
+++ b/lang/instances/base/it/countries.php
@@ -0,0 +1,253 @@
+ 'Afghanistan',
+ 'AX' => 'Isole Åland',
+ 'AL' => 'Albania',
+ 'DZ' => 'Algeria',
+ 'AS' => 'Samoa Americane',
+ 'AD' => 'Andorra',
+ 'AO' => 'Angola',
+ 'AI' => 'Anguilla',
+ 'AQ' => 'Antartide',
+ 'AG' => 'Antigua e Barbuda',
+ 'AR' => 'Argentina',
+ 'AM' => 'Armenia',
+ 'AW' => 'Aruba',
+ 'AU' => 'Australia',
+ 'AT' => 'Austria',
+ 'AZ' => 'Azerbaigian',
+ 'BS' => 'Bahamas',
+ 'BH' => 'Bahrain',
+ 'BD' => 'Bangladesh',
+ 'BB' => 'Barbados',
+ 'BY' => 'Bielorussia',
+ 'BE' => 'Belgio',
+ 'BZ' => 'Belize',
+ 'BJ' => 'Benin',
+ 'BM' => 'Bermuda',
+ 'BT' => 'Bhutan',
+ 'BO' => 'Bolivia, Stato Plurinazionale di',
+ 'BQ' => 'Bonaire, Sint Eustatius e Saba',
+ 'BA' => 'Bosnia ed Erzegovina',
+ 'BW' => 'Botswana',
+ 'BV' => 'Isola di Bouvet',
+ 'BR' => 'Brasile',
+ 'IO' => 'Territorio britannico dell\'Oceano Indiano',
+ 'BN' => 'Brunei Darussalam',
+ 'BG' => 'Bulgaria',
+ 'BF' => 'Burkina Faso',
+ 'BI' => 'Burundi',
+ 'KH' => 'Cambogia',
+ 'CM' => 'Camerun',
+ 'CA' => 'Canada',
+ 'CV' => 'Capo Verde',
+ 'KY' => 'Isole Cayman',
+ 'CF' => 'Repubblica Centrafricana',
+ 'TD' => 'Chad',
+ 'CL' => 'Cile',
+ 'CN' => 'Cina',
+ 'CX' => 'Isola di Natale',
+ 'CC' => 'Isole Cocos (Keeling)',
+ 'CO' => 'Colombia',
+ 'KM' => 'Comore',
+ 'CG' => 'Congo',
+ 'CD' => 'Congo, Repubblica Democratica del',
+ 'CK' => 'Isole Cook',
+ 'CR' => 'Costa Rica',
+ 'CI' => 'Costa d\'Avorio',
+ 'HR' => 'Croazia',
+ 'CU' => 'Cuba',
+ 'CW' => 'Curaçao',
+ 'CY' => 'Cipro',
+ 'CZ' => 'Repubblica Ceca',
+ 'DK' => 'Danimarca',
+ 'DJ' => 'Gibuti',
+ 'DM' => 'Dominica',
+ 'DO' => 'Repubblica Dominicana',
+ 'EC' => 'Ecuador',
+ 'EG' => 'Egitto',
+ 'SV' => 'El Salvador',
+ 'GQ' => 'Guinea Equatoriale',
+ 'ER' => 'Eritrea',
+ 'EE' => 'Estonia',
+ 'ET' => 'Etiopia',
+ 'FK' => 'Isole Falkland (Malvinas)',
+ 'FO' => 'Isole Faroe',
+ 'FJ' => 'Figi',
+ 'FI' => 'Finlandia',
+ 'FR' => 'Francia',
+ 'GF' => 'Guiana Francese',
+ 'PF' => 'Polinesia francese',
+ 'TF' => 'Territori meridionali francesi',
+ 'GA' => 'Gabon',
+ 'GM' => 'Gambia',
+ 'GE' => 'Georgia',
+ 'DE' => 'Germania',
+ 'GH' => 'Ghana',
+ 'GI' => 'Gibilterra',
+ 'GR' => 'Grecia',
+ 'GL' => 'Groenlandia',
+ 'GD' => 'Grenada',
+ 'GP' => 'Guadalupa',
+ 'GU' => 'Guam',
+ 'GT' => 'Guatemala',
+ 'GG' => 'Guernsey',
+ 'GN' => 'Guinea',
+ 'GW' => 'Guinea-Bissau',
+ 'GY' => 'Guyana',
+ 'HT' => 'Haiti',
+ 'HM' => 'Isola Heard e Isole McDonald',
+ 'VA' => 'Santa Sede (Stato della Città del Vaticano)',
+ 'HN' => 'Honduras',
+ 'HK' => 'Hong Kong',
+ 'HU' => 'Ungheria',
+ 'IS' => 'Islanda',
+ 'IN' => 'India',
+ 'ID' => 'Indonesia',
+ 'IR' => 'Iran, Repubblica Islamica di',
+ 'IQ' => 'Iraq',
+ 'IE' => 'Irlanda',
+ 'IM' => 'Isola di Man',
+ 'IL' => 'Israele',
+ 'IT' => 'Italia',
+ 'JM' => 'Giamaica',
+ 'JP' => 'Giappone',
+ 'JE' => 'Maglia',
+ 'JO' => 'Giordania',
+ 'KZ' => 'Kazakistan',
+ 'KE' => 'Kenya',
+ 'KI' => 'Kiribati',
+ 'KP' => 'Corea, Repubblica Popolare Democratica di',
+ 'KR' => 'Corea del Sud',
+ 'KW' => 'Kuwait',
+ 'KG' => 'Kirghizistan',
+ 'LA' => 'Repubblica Democratica Popolare del Laos',
+ 'LV' => 'Lettonia',
+ 'LB' => 'Libano',
+ 'LS' => 'Lesotho',
+ 'LR' => 'Liberia',
+ 'LY' => 'Libia',
+ 'LI' => 'Liechtenstein',
+ 'LT' => 'Lituania',
+ 'LU' => 'Lussemburgo',
+ 'MO' => 'Macao',
+ 'MK' => 'Macedonia, ex Repubblica iugoslava di',
+ 'MG' => 'Madagascar',
+ 'MW' => 'Malawi',
+ 'MY' => 'Malesia',
+ 'MV' => 'Maldive',
+ 'ML' => 'Mali',
+ 'MT' => 'Malta',
+ 'MH' => 'Isole Marshall',
+ 'MQ' => 'Martinica',
+ 'MR' => 'Mauritania',
+ 'MU' => 'Mauritius',
+ 'YT' => 'Mayotte',
+ 'MX' => 'Messico',
+ 'FM' => 'Micronesia, Stati Federati di',
+ 'MD' => 'Moldavia, Repubblica di',
+ 'MC' => 'Monaco',
+ 'MN' => 'Mongolia',
+ 'ME' => 'Montenegro',
+ 'MS' => 'Montserrat',
+ 'MA' => 'Marocco',
+ 'MZ' => 'Mozambico',
+ 'MM' => 'Myanmar',
+ 'NA' => 'Namibia',
+ 'NR' => 'Nauru',
+ 'NP' => 'Nepal',
+ 'NL' => 'Paesi Bassi',
+ 'NC' => 'Nuova Caledonia',
+ 'NZ' => 'Aotearoa Nuova Zelanda',
+ 'NI' => 'Nicaragua',
+ 'NE' => 'Niger',
+ 'NG' => 'Nigeria',
+ 'NU' => 'Niue',
+ 'NF' => 'Isola di Norfolk',
+ 'MP' => 'Isole Marianne Settentrionali',
+ 'NO' => 'Norvegia',
+ 'OM' => 'Oman',
+ 'PK' => 'Pakistan',
+ 'PW' => 'Palau',
+ 'PS' => 'Territorio palestinese occupato',
+ 'PA' => 'Panama',
+ 'PG' => 'Papua Nuova Guinea',
+ 'PY' => 'Paraguay',
+ 'PE' => 'Perù',
+ 'PH' => 'Filippine',
+ 'PN' => 'Pitcairn',
+ 'PL' => 'Polonia',
+ 'PT' => 'Portogallo',
+ 'PR' => 'Porto Rico',
+ 'QA' => 'Qatar',
+ 'RE' => 'Riunione',
+ 'RO' => 'Romania',
+ 'RU' => 'Federazione Russa',
+ 'RW' => 'Ruanda',
+ 'BL' => 'Saint Barthélemy',
+ 'SH' => 'Sant\'Elena, Ascensione e Tristan da Cunha',
+ 'KN' => 'Saint Kitts e Nevis',
+ 'LC' => 'Santa Lucia',
+ 'MF' => 'Saint Martin (parte francese)',
+ 'PM' => 'Saint-Pierre e Miquelon',
+ 'VC' => 'Saint Vincent e Grenadine',
+ 'WS' => 'Samoa',
+ 'SM' => 'San Marino',
+ 'ST' => 'São Tomé e Principe',
+ 'SA' => 'Arabia Saudita',
+ 'SN' => 'Senegal',
+ 'RS' => 'Serbia',
+ 'SC' => 'Seychelles',
+ 'SL' => 'Sierra Leone',
+ 'SG' => 'Singapore',
+ 'SX' => 'Sint Maarten (parte olandese)',
+ 'SK' => 'Slovacchia',
+ 'SI' => 'Slovenia',
+ 'SB' => 'Isole Salomone',
+ 'SO' => 'Somalia',
+ 'ZA' => 'Sudafrica',
+ 'GS' => 'Georgia del Sud e Isole Sandwich del Sud',
+ 'SS' => 'Sud Sudan',
+ 'ES' => 'Spagna',
+ 'LK' => 'Sri Lanka',
+ 'SD' => 'Sudan',
+ 'SR' => 'Suriname',
+ 'SJ' => 'Svalbard e Jan Mayen',
+ 'SZ' => 'Swaziland',
+ 'SE' => 'Svezia',
+ 'CH' => 'Svizzera',
+ 'SY' => 'Repubblica Araba Siriana',
+ 'TW' => 'Taiwan',
+ 'TJ' => 'Tagikistan',
+ 'TZ' => 'Tanzania, Repubblica Unita di',
+ 'TH' => 'Thailandia',
+ 'TL' => 'Timor Est',
+ 'TG' => 'Togo',
+ 'TK' => 'Tokelau',
+ 'TO' => 'Tonga',
+ 'TT' => 'Trinidad e Tobago',
+ 'TN' => 'Tunisia',
+ 'TR' => 'Turchia',
+ 'TM' => 'Turkmenistan',
+ 'TC' => 'Isole Turks e Caicos',
+ 'TV' => 'Tuvalu',
+ 'UG' => 'Uganda',
+ 'UA' => 'Ucraina',
+ 'AE' => 'Emirati Arabi Uniti',
+ 'GB' => 'Regno Unito',
+ 'US' => 'Stati Uniti',
+ 'UM' => 'Isole minori degli Stati Uniti',
+ 'UY' => 'Uruguay',
+ 'UZ' => 'Uzbekistan',
+ 'VU' => 'Vanuatu',
+ 'VE' => 'Venezuela, Repubblica Bolivariana di',
+ 'VN' => 'Vietnam',
+ 'VG' => 'Isole Vergini britanniche',
+ 'VI' => 'Isole Vergini, Stati Uniti',
+ 'WF' => 'Wallis e Futuna',
+ 'EH' => 'Sahara occidentale',
+ 'YE' => 'Yemen',
+ 'ZM' => 'Zambia',
+ 'ZW' => 'Zimbabwe',
+];
diff --git a/lang/instances/base/it/dashboard.php b/lang/instances/base/it/dashboard.php
index b08b47ae84..0748b28eb4 100644
--- a/lang/instances/base/it/dashboard.php
+++ b/lang/instances/base/it/dashboard.php
@@ -1,18 +1,47 @@
'Per incominciare',
- 'join_group' => 'Unisciti a un gruppo',
'devices_logged' => 'dispositivi registrati',
+ 'getting_started_header' => 'Per iniziare',
'visit_wiki' => 'Visita il wiki',
- 'discussion_header' => 'Forum di discussione',
- 'groups_near_you_follow_action' => 'Segui',
- 'groups_near_you_header' => 'Gruppi vicino a te',
- 'groups_near_you_none_nearby' => 'Attualmente non ci sono gruppi vicino a te che sono stati inseriti in Restarters.net',
- 'groups_near_you_see_more' => 'Vedi più gruppi',
- 'groups_near_you_set_location' => 'Imposta la tua città per aiutarci a trovare gruppi vicino a te.',
- 'groups_near_you_start_a_group' => 'Vuoi iniziare o aggiungere un gruppo? Ulteriori informazioni .',
- 'groups_near_you_text' => 'Segui un gruppo di riparazione per saperne di più sulla comunità di riparazione nella tua zona.',
- 'groups_near_you_your_location_is' => 'La tua città è attualmente impostata a :location.',
- 'log_devices' => 'Registra dispositivi',
+ 'discussion_header' => 'Incontrare la comunità',
+ 'log_devices' => 'Dispositivi di registro',
+ 'title' => 'Benvenuti a Restarters',
+ 'groups_near_you_header' => 'Gruppi vicini a voi',
+ 'groups_near_you_text' => 'Seguite un gruppo di riparazione per saperne di più sulla riparazione comunitaria nella vostra zona.',
+ 'groups_near_you_see_more' => 'Vedi altri gruppi',
+ 'groups_near_you_follow_action' => 'Seguire',
+ 'groups_near_you_none_nearby' => 'Al momento non ci sono gruppi vicini a te che sono stati aggiunti a Restarters.net.',
+ 'groups_near_you_start_a_group' => 'Vuoi creare o aggiungere un gruppo? Per saperne di più.',
+ 'groups_near_you_set_location' => 'Imposta la tua cittàper aiutarci a trovare i gruppi più vicini a te.',
+ 'groups_near_you_your_location_is' => 'La vostra città è attualmente impostata su :location.',
+ 'your_networks' => 'Le vostre reti',
+ 'networks_you_coordinate' => 'Visualizzare le reti che si coordinano.',
+ 'catch_up' => 'Aggiornatevi con i vostri gruppi cliccando qui sotto.',
+ 'your_groups_heading' => 'I vostri gruppi',
+ 'groups_heading' => 'Gruppi',
+ 'sidebar_intro_1' => 'Siamo una comunità globale di persone che organizzano eventi di riparazione a livello locale e si battono per il diritto alla riparazione. Restarters.net è il nostro toolkit gratuito e open source.',
+ 'sidebar_kit1' => 'Scopri il nostro',
+ 'sidebar_kit2' => 'kit gratuito per la pianificazione di eventi!',
+ 'sidebar_help' => 'Siamo qui per aiutarvi con tutte le vostre domande sull\'hosting.',
+ 'sidebar_let_us_know' => 'Fateci sapere',
+ 'getting_the_most' => 'Per iniziare',
+ 'getting_the_most_intro' => 'Restarters.net è una piattaforma gratuita e open source per una comunità globale di persone che realizzano eventi di riparazione a livello locale e si battono per il nostro diritto alla riparazione.',
+ 'getting_the_most_bullet1' => 'Riparare:segui il gruppo di riparazione della comunità più vicinae ripassa o condividi le tue abilità con il nostro wiki di riparazione.',
+ 'getting_the_most_bullet2' => 'Organizzarsi:imparare a gestire un evento di riparazionee/o {{HTMLTAG_17} chiedere aiuto alla comunità su Talk.',
+ 'getting_the_most_bullet3' => 'Chiacchierate:aggiornatevi sulle ultime conversazionisul nostro forum, Talk. Perché non {{HTMLTAG_22} presentare anche te?',
+ 'getting_the_most_bullet4' => 'Diventa analitico: vedi il nostro impatto nelFixometro.',
+ 'upcoming_events_title' => 'Prossimi eventi',
+ 'upcoming_events_subtitle' => 'I prossimi eventi dei vostri gruppi:',
+ 'add_event' => 'Aggiungi',
+ 'add_data_heading' => 'Aggiungi dati',
+ 'see_your_impact' => 'E vedere il vostro impatto nel Fixometro',
+ 'add_data_add' => 'Aggiungi',
+ 'newly_added' => 'Nuovo aggiunto: :count group in your area!|Nuovo aggiunto: :count groups in your area!',
+ 'no_groups' => 'Non ci sono ancora gruppi nella tua zona. Chiunque abbia interesse e qualche capacità organizzativa può avviare un gruppo di riparazione comunitario. Date un\'occhiata al nostro kit per la pianificazione di eventio consultate le nostre risorseper le scuole. Una volta che siete pronti ad avviare un gruppo, basta crearne uno nella paginaGruppi. E se desiderate un aiuto, chiedete pure nel forum,Talk.',
+ 'see_all_groups_near_you' => 'Vedi tutti i gruppi vicini a te →',
+ 'see_all_groups' => 'Vedi tutti i gruppi',
+ 'no_groups_intro' => 'Esistono gruppi di comunitàin tutto il mondo. Potete seguire tutti i gruppi per essere avvisati quando organizzano eventi.',
];
diff --git a/lang/instances/base/it/device-audits.php b/lang/instances/base/it/device-audits.php
index fe887bb9bb..2cf829b082 100644
--- a/lang/instances/base/it/device-audits.php
+++ b/lang/instances/base/it/device-audits.php
@@ -1,48 +1,46 @@
'Nessuna modifica è stata fatta a questo dispositivo!',
- 'updated' => [
- 'metadata' => 'On :audit_created_at, :user_name updated record :audit_url',
+ 'unavailable_audits' => 'Non sono state apportate modifiche a questo dispositivo!',
+ 'created' => [
+ 'metadata' => 'Su :audit_created_at, :user_name ha creato il record:audit_url',
'modified' => [
- 'event' => 'Evento modificato da ":old" a ":new"',
- 'category' => 'Categoria modificata da ":old" a ":new"',
- 'category_creation' => 'Creazione Categoria modificata da ":old" a ":new"',
- 'estimate' => 'Stimato modificato da ":old" a ":new"',
- 'repair_status' => 'Stato della Riparazione modificato da ":old" a ":new"',
- 'spare_parts' => 'Spare Parts
- modificato da ":old"
- a ":new"',
- 'brand' => 'Marca modificata da ":old" a":new"',
- 'model' => 'Modello modificato da ":old" a ":new"',
- 'age' => 'Età modificata da ":old" a ":new"',
- 'problem' => 'Problema modificato da ":old" a ":new"',
- 'repaired_by' => 'Riparato da modificato da ":old" a ":new"',
- 'do_it_yourself' => 'Fai da te modificato da ":old" a ":new"',
- 'professional_help' => 'Supporto professionale modificato da ":old" a ":new"',
- 'more_time_needed' => 'Tempo insufficiente More time modificato da ":old" a ":new"',
- 'wiki' => 'Wiki modificato da ":old" a ":new"',
+ 'event' => 'Eventoimpostato come \":nuovo\"',
+ 'category' => 'Categoriaimpostata come \":nuovo\"',
+ 'category_creation' => 'Creazione della categoriaimpostata come \":new\"',
+ 'estimate' => 'Stima diimpostato come \":new\"',
+ 'repair_status' => 'Stato di riparazioneimpostato come \":nuovo\"',
+ 'spare_parts' => 'Ricambiimpostato come \":nuovo\"',
+ 'brand' => 'Marchioimpostato come \":nuovo\"',
+ 'model' => 'Modelloimpostato come \":nuovo\"',
+ 'age' => 'Etàimpostata come \":new\"',
+ 'problem' => 'Problemaimpostato come \":nuovo\"',
+ 'repaired_by' => 'Riparato daimpostato come \":new\"',
+ 'do_it_yourself' => 'Fai da teimpostato come \":new\"',
+ 'professional_help' => 'Aiuto professionaleimpostato come \":new\"',
+ 'more_time_needed' => 'Più tempo necessarioimpostato come \":new\"',
+ 'wiki' => 'Wikiimpostato come \":new\"',
+ 'iddevices' => 'ID dispositivoimpostato come \":nuovo\"',
],
],
- 'created' => [
- 'metadata' => 'On :audit_created_at, :user_name created record :audit_url',
+ 'updated' => [
+ 'metadata' => 'Su :audit_created_at, :user_name ha aggiornato il record:audit_url',
'modified' => [
- 'age' => 'Età impostata a ":new"',
- 'brand' => 'Marca impostata a ":new"',
- 'category' => 'Categoria impostata a ":new"',
- 'category_creation' => 'Creazione categoria impostata a ":new"',
- 'do_it_yourself' => 'Fai da te impostato a ":new"',
- 'estimate' => 'Stimato impostato a ":new"',
- 'event' => 'Evento impostato a ":new"',
- 'iddevices' => 'DispositivoID impostato a ":new"',
- 'model' => 'Modello impostato a ":new"',
- 'more_time_needed' => 'Tempo non sufficiente impostato a ":new"',
- 'problem' => 'Problema impostato a ":new"',
- 'professional_help' => 'Bisogno di aiuto professionale impostato a ":new"',
- 'repaired_by' => 'Reparato da impostato a ":new"',
- 'repair_status' => 'Stato della riparazione Status impostato a ":new"',
- 'spare_parts' => 'Parti di ricambio impostato a ":new"',
- 'wiki' => 'Wiki impostato a ":new"',
+ 'event' => 'L\'eventoè stato modificato da \":old\" a \":new\"',
+ 'category' => 'La categoriaè stata modificata da \":old\" a \":new\"',
+ 'category_creation' => 'La creazione della categoriaè stata modificata da \":old\" a \":new\"',
+ 'estimate' => 'La stima diè stata modificata da \":old\" a \":new\"',
+ 'repair_status' => 'Lo stato di riparazioneè stato modificato da \":vecchio\" a \":nuovo\"',
+ 'spare_parts' => 'Ricambiè stato modificato da \":vecchio\" a \":nuovo\"',
+ 'brand' => 'Il marchioè stato modificato da \":old\" a \":new\"',
+ 'model' => 'Il modelloè stato modificato da \":old\" a \":new\"',
+ 'age' => 'L\'etàè stata modificata da \":old\" a \":new\"',
+ 'problem' => 'Il problemaè stato modificato da \":vecchio\" a \":nuovo\"',
+ 'repaired_by' => 'Riparato daè stato modificato da \":vecchio\" a \":nuovo\"',
+ 'do_it_yourself' => 'Fai da teè stato modificato da \":old\" a \":new\"',
+ 'professional_help' => 'Aiuto professionaleè stato modificato da \":vecchio\" a \":nuovo\"',
+ 'more_time_needed' => 'Più tempo necessarioè stato modificato da \":old\" a \":new\"',
+ 'wiki' => 'Wikiè stato modificato da \":old\" a \":new\"',
],
],
];
diff --git a/lang/instances/base/it/devices.php b/lang/instances/base/it/devices.php
index c0fd3b7108..f1aa0c57f1 100644
--- a/lang/instances/base/it/devices.php
+++ b/lang/instances/base/it/devices.php
@@ -1,27 +1,81 @@
'Dispositivo',
- 'export_device_data' => 'Esporta dati del dispositivo',
+ 'devices' => 'Riparazioni',
+ 'export_device_data' => 'Scaricare tutti i dati',
+ 'export_event_data' => 'Scarica i dati dell\'evento',
+ 'export_group_data' => 'Scarica i dati di riparazione',
'category' => 'Categoria',
'group' => 'Gruppo',
'from_date' => 'Dalla data',
'to_date' => 'Ad oggi',
- 'brand' => 'Marca',
+ 'brand' => 'Marchio',
+ 'brand_if_known' => 'Marca (se nota)',
'model' => 'Modello',
- 'repair' => 'Data riparazione',
- 'repair_status' => 'Status riparazione',
- 'repair_details' => 'Segui',
+ 'model_if_known' => 'Modello (se noto)',
+ 'repair' => 'Data di riparazione',
+ 'repair_status' => 'Stato della riparazione',
+ 'repair_details' => 'Le prossime tappe',
'graphic-comment' => 'Commento',
- 'graphic-camera' => 'Camera',
- 'fixed' => 'Riparato',
+ 'graphic-camera' => 'Macchina fotografica',
+ 'fixed' => 'Fisso',
'repairable' => 'Riparabile',
- 'age' => 'Eta\'',
- 'devices_description' => 'Descrizione del problema o della soluzione',
- 'delete_device' => 'Cancella dispositivo',
- 'event_info' => 'Informazioni evento',
+ 'age' => 'Età',
+ 'devices_description' => 'Descrizione del problema/soluzione',
+ 'delete_device' => 'Cancellare il dispositivo',
'devices_date' => 'Data',
+ 'event_info' => 'Info sull\'evento',
+ 'fixometer' => 'Fissometro',
+ 'global_impact' => 'Il nostro impatto globale',
+ 'group_prevented' => 'evitato:quantità kgdi rifiuti!',
+ 'huge_impact' => 'I riparatori di tutto il mondo stanno avendo un impatto enorme!',
+ 'huge_impact_2' => 'Cercate i vostri dati sulle riparazioni qui sotto, per avere un\'idea dell\'impatto delle riparazioni e degli ostacoli che incontriamo quando ripariamo. Potete aiutarci a capire cos\'altro ci dicono questi dati e quali cambiamenti dovremmo promuovere nella discussionesui dati di riparazionenel nostro forum.',
+ 'add_data_button' => 'Aggiungi dati',
+ 'add_data_title' => 'Aggiungi dati',
+ 'add_data_description' => 'L\'aggiunta di dati sulle riparazioni aiuta a mostrare l\'impatto delle riparazioni.',
+ 'search_text' => 'Sfogliate o cercate nel nostro database globale di riparazioni.',
+ 'add_data_action_button' => 'Vai all\'evento',
+ 'repair_records' => 'Registri di riparazione',
+ 'images' => 'Immagini',
+ 'model_or_type' => 'Articolo',
+ 'repair_outcome' => 'Risultato della riparazione?',
+ 'powered_items' => 'articoli alimentati',
+ 'unpowered_items' => 'articoli non alimentati',
'weight' => 'Peso',
- 'required_impact' => 'kg - required for environmental impact calculation',
- 'age_approx' => 'years - approximate, if known',
+ 'required_impact' => 'kg - necessario per calcolare l\'impatto ambientale',
+ 'optional_impact' => 'kg - utilizzato per affinare il calcolo dell\'impatto ambientale (opzionale)',
+ 'age_approx' => 'anni (approssimativo se sconosciuto)',
+ 'tooltip_category' => 'Scegli la categoria che meglio si adatta a questo articolo.Ulteriori informazioni su queste categorie...',
+ 'tooltip_model' => 'Aggiungere qui il maggior numero di informazioni possibili sul modello specifico del dispositivo (ad esempio, \"Galaxy S10 5G\"). Lasciare vuoto se non si conosce il modello.',
+ 'tooltip_problem' => ' Fornire quanti più dettagli possibili sul problema del dispositivo e su ciò che è stato fatto per ripararlo. For example: Aggiungete qui qualsiasi dettaglio aggiuntivo, ad esempio: Questo informerà i volontari che hanno partecipato a questo evento che i dati di riparazione sono stati aggiunti e che potrebbero aggiungere contributi e recensioni. Inoltre, farà sapere ai volontari che le foto ed eventuali feedback potrebbero essere stati pubblicati. Desideri inviare queste notifiche? Questo notifica ai volontari che hanno partecipato all\'evento che i dati sulla riparazione sono stati aggiunti e che potrebbero beneficiare di ulteriori contributi e revisioni. Informa inoltre i volontari che potrebbero essere state pubblicate delle foto (incluso il feedback del libro dei visitatori). Si desidera inviare queste notifiche? Come si calcola l\'impatto ambientale? Abbiamo fatto una ricerca sul peso medio e sulla CO2dei prodotti di diverse categorie, dagli smartphone alle magliette. Quando inserite un articolo che avete riparato, utilizziamo queste medie per stimare l\'impatto della riparazione in base alla categoria dell\'articolo. Per gli articoli diversi, applichiamo un rapporto generico tra CO2e e peso per stimare l\'impatto di ogni riparazione andata a buon fine. Per saperne di più su come calcoliamo l\'impatto, cliccare qui Al momento non è stata impostata una città. Puoi impostarne una neltuo profilo. Puoi anchevisualizzare tutti i gruppi. Non ci sono gruppi nel raggio di 50 km dalla tua posizione. Puoivedere tutti i gruppi qui. O perché non crearne uno proprio?Scopri cosa comporta la gestione di un proprio evento di riparazione. Questo è un posto dove far crescere il movimento comunitario di riparazione elettronica. Il mondo ha bisogno di più capacità di riparazione e più abilità di riparazione da condividere. Unisciti a noi se ti va: Questo è un luogo per far crescere il movimento di riparazione elettronica della comunità. Il mondo ha bisogno di più riparazioni e di più abilità di riparazione da condividere. Unisciti se vuoi: Grazie per far parte del nostro spazio comunitario. E grazie per essere un beta tester! Con il tuo feedback possiamo aiutare a migliorare la piattaforma per tutti. Nello spazio della community puoi: Il tuo punto di partenza è il pannello di controllo (dashboard) della community . La dashboard ti offre a colpo d\'occhio informazioni sugli ultimi avvenimenti della community, nonché un rapido accesso alle azioni comuni. Un buon punto di partenza è la sezione Introduzione . Grazie per esserti unito al nostro spazio comunitario. Nello spazio della comunità è possibile: Il punto di partenza è la dashboard della comunità. La vostra dashboard vi fornisce a colpo d\'occhio informazioni sugli ultimi avvenimenti della comunità, nonché un accesso rapido alle azioni più comuni. Un buon punto di partenza è la sezione Iniziare. Iedereen met interesse en enige vaardigheden in het organiseren kan een community repair groep starten. Bekijk onzeevenement planning kitof bekijk onzemiddelen voor scholen. Als je klaar bent om een groep te beginnen, maak er dan een aan op deGroepen pagina. En als je hulp nodig hebt, vraag het dan op het forum,Praten.',
+ 'see_all_groups_near_you' => 'Bekijk alle groepen bij jou in de buurt →',
+ 'see_all_groups' => 'Bekijk alle groepen',
+ 'no_groups_intro' => 'Er zijn communitygroepen over de hele wereld. Je kunt elke groep volgen om op de hoogte te worden gebracht wanneer ze evenementen organiseren.',
+];
diff --git a/lang/instances/base/nl/device-audits.php b/lang/instances/base/nl/device-audits.php
new file mode 100644
index 0000000000..e20c21a126
--- /dev/null
+++ b/lang/instances/base/nl/device-audits.php
@@ -0,0 +1,46 @@
+ 'Er zijn geen wijzigingen aangebracht aan dit apparaat!',
+ 'created' => [
+ 'metadata' => 'Op :audit_created_at, :user_name aangemaakt record:audit_url',
+ 'modified' => [
+ 'event' => 'Gebeurtenisingesteld als \":new\"',
+ 'category' => 'Categorieingesteld als \":new\"',
+ 'category_creation' => 'Categorie creatieingesteld als \":new\"',
+ 'estimate' => 'Schatin als \":new\"',
+ 'repair_status' => 'Reparatiestatusingesteld als \":nieuw\"',
+ 'spare_parts' => 'Onderdeleningesteld als \":nieuw\"',
+ 'brand' => 'Merkingesteld als \":new\"',
+ 'model' => 'Modelingesteld als \":new\"',
+ 'age' => 'Leeftijdingesteld als \":new\"',
+ 'problem' => 'Probleemingesteld als \":new\"',
+ 'repaired_by' => 'Gerepareerd dooringesteld als \":new\"',
+ 'do_it_yourself' => 'Doe het zelfingesteld als \":new\"',
+ 'professional_help' => 'Professionele hulpingesteld als \":new\"',
+ 'more_time_needed' => 'Meer tijd nodigingesteld als \":new\"',
+ 'wiki' => 'wIKIWikiingesteld als \":new\"',
+ 'iddevices' => 'Apparaat-IDingesteld als \":new\"',
+ ],
+ ],
+ 'updated' => [
+ 'metadata' => 'Op :audit_created_at, :user_name bijgewerkte record:audit_url',
+ 'modified' => [
+ 'event' => 'Gebeurtenisis gewijzigd van \":oud\" in \":nieuw\"',
+ 'category' => 'Categorieis gewijzigd van \":oud\" naar \":nieuw\"',
+ 'category_creation' => 'Categoriewijzigingis gewijzigd van \":oud\" naar \":nieuw\"',
+ 'estimate' => 'Schatwerd gewijzigd van \":oud\" in \":nieuw\"',
+ 'repair_status' => 'Reparatiestatusis gewijzigd van \":oud\" in \":nieuw\"',
+ 'spare_parts' => 'Onderdelenis gewijzigd van \":oud\" in \":nieuw\"',
+ 'brand' => 'Merkis gewijzigd van \":oud\" in \":nieuw\"',
+ 'model' => 'Modelis gewijzigd van \":oud\" in \":nieuw\"',
+ 'age' => 'Leeftijdis gewijzigd van \":oud\" in \":nieuw\"',
+ 'problem' => 'Probleemis gewijzigd van \":oud\" naar \":nieuw\"',
+ 'repaired_by' => 'Gerepareerd doorwerd gewijzigd van \":oud\" in \":nieuw\"',
+ 'do_it_yourself' => 'Doe het zelfis gewijzigd van \":oud\" in \":nieuw\"',
+ 'professional_help' => 'Professionele hulpis gewijzigd van \":oud\" in \":nieuw\"',
+ 'more_time_needed' => 'Meer tijd nodigis gewijzigd van \":oud\" naar \":nieuw\"',
+ 'wiki' => 'Wikiis gewijzigd van \":oud\" naar \":nieuw\"',
+ ],
+ ],
+];
diff --git a/lang/instances/base/nl/devices.php b/lang/instances/base/nl/devices.php
new file mode 100644
index 0000000000..5fdac6fbfa
--- /dev/null
+++ b/lang/instances/base/nl/devices.php
@@ -0,0 +1,81 @@
+ 'Reparaties',
+ 'export_device_data' => 'Alle gegevens downloaden',
+ 'export_event_data' => 'Gebeurtenisgegevens downloaden',
+ 'export_group_data' => 'Reparatiegegevens downloaden',
+ 'category' => 'Categorie',
+ 'group' => 'Groep',
+ 'from_date' => 'Vanaf datum',
+ 'to_date' => 'Tot nu toe',
+ 'brand' => 'Merk',
+ 'brand_if_known' => 'Merk (indien bekend)',
+ 'model' => 'Model',
+ 'model_if_known' => 'Model (indien bekend)',
+ 'repair' => 'Reparatiedatum',
+ 'repair_status' => 'Reparatiestatus',
+ 'repair_details' => 'Volgende stappen',
+ 'graphic-comment' => 'Opmerking',
+ 'graphic-camera' => 'Camera',
+ 'fixed' => 'Vast',
+ 'repairable' => 'Repareerbaar',
+ 'age' => 'Leeftijd',
+ 'devices_description' => 'Beschrijving van probleem/oplossing',
+ 'delete_device' => 'Apparaat verwijderen',
+ 'devices_date' => 'Datum',
+ 'event_info' => 'Evenement info',
+ 'fixometer' => 'Fixometer',
+ 'global_impact' => 'Onze wereldwijde impact',
+ 'group_prevented' => 'voorkomen:hoeveelheid kgafval!',
+ 'huge_impact' => 'Reparateurs over de hele wereld hebben een enorme impact!',
+ 'huge_impact_2' => 'Doorzoek je reparatiegegevens hieronder en krijg een indruk van de impact van reparaties en de obstakels waar we tegenaan lopen bij reparaties. Je kunt ons helpen te begrijpen wat deze gegevens ons nog meer vertellen en voor welke veranderingen we campagne moeten voeren op dediscussie over reparatiegegevensop ons forum.',
+ 'add_data_button' => 'Gegevens toevoegen',
+ 'add_data_title' => 'Gegevens toevoegen',
+ 'add_data_description' => 'Het toevoegen van reparatiegegevens helpt om de impact van reparatie te laten zien.',
+ 'search_text' => 'Bekijk of doorzoek onze wereldwijde database met reparaties.',
+ 'add_data_action_button' => 'Ga naar evenement',
+ 'repair_records' => 'Reparatieverslagen',
+ 'images' => 'Afbeeldingen',
+ 'model_or_type' => 'Item',
+ 'repair_outcome' => 'Reparatieresultaat?',
+ 'powered_items' => 'elektrische onderdelen',
+ 'unpowered_items' => 'items zonder stroom',
+ 'weight' => 'Gewicht',
+ 'required_impact' => 'kg - nodig om milieu-impact te berekenen',
+ 'optional_impact' => 'kg - gebruikt om de berekening van de milieu-impact te verfijnen (optioneel)',
+ 'age_approx' => 'jaren (bij benadering indien onbekend)',
+ 'tooltip_category' => 'Kies de categorie die het beste bij dit item past.Meer informatie over deze categorieën...',
+ 'tooltip_model' => 'Voeg hier zoveel mogelijk informatie toe over het specifieke model van het apparaat (bijvoorbeeld \'Galaxy S10 5G\'). Laat leeg als je het model niet weet.',
+ 'tooltip_problem' => ' Geef zoveel mogelijk details over het probleem met het apparaat en wat er is gedaan om het te repareren. For example: {HTMLTAG_117}} Meer informatie Voeg hier eventuele extra details toe, bijvoorbeeld: Hiermee worden vrijwilligers die aanwezig waren bij dit evenement op de hoogte gesteld dat er reparatiegegevens zijn toegevoegd en dat ze baat kunnen hebben bij aanvullende bijdragen en beoordeling. Hiermee wordt vrijwilligers ook meegedeeld dat er mogelijk foto\'s (inclusief feedback uit het bezoekersboek) zijn geplaatst. Wilt u deze meldingen verzenden? Hoe berekenen we de impact op het milieu? {{HTMLTAG_203} We hebben onderzoek gedaan naar het gemiddelde gewicht en CO2e voetafdruk van producten in verschillende categorieën onderzocht, van smartphones tot T-shirts. Als je een item invoert dat je hebt gerepareerd, gebruiken we deze gemiddelden om de impact van die reparatie te schatten op basis van de categorie van het item. Voorisc items passen we een algemene CO2e gewichtsverhouding toe om de impact van elke succesvolle reparatie in te schatten. Lees hier meer over hoe we de impact berekenen Je hebt momenteel geen stad ingesteld. Je kunt er een instellen inje profiel. Je kunt ookalle groepen bekijken. Er zijn geen groepen binnen 50 km van je locatie. Je kunt hieralle groepen zien. Of waarom begin je niet je eigen groep?Leer wat het runnen van je eigen reparatie-evenement inhoudt.{HTMLTAG_289}}',
+ 'group_count' => 'Er is:telgroep.|Er zijn :telgroepen.',
+ 'search_name_placeholder' => 'Zoek naam...',
+ 'search_location_placeholder' => 'Locatie zoeken...',
+ 'search_country_placeholder' => 'Land...',
+ 'search_tags_placeholder' => 'Label',
+ 'show_filters' => 'Toon filters',
+ 'hide_filters' => 'Verberg filters',
+ 'leave_group_button' => 'Groep ontvolgen',
+ 'leave_group_button_mobile' => 'Niet volgen',
+ 'leave_group_confirm' => 'Bevestig dat je deze groep wilt unfollowen.',
+ 'now_following' => 'Je volgt nu:naam!',
+ 'now_unfollowed' => 'Je hebt nu:naamontvolgd.',
+ 'nearby' => 'Dichtbij',
+ 'all' => 'Alle',
+ 'no_other_events' => 'Er zijn momenteel geen andere aankomende evenementen.',
+ 'no_other_nearby_events' => 'Er zijn momenteel geen andere aankomende evenementen in de buurt.',
+ 'postcode' => 'Groep Postcode',
+ 'groups_postcode_small' => 'Dit heeft voorrang op de postcode van de locatie.',
+ 'override_postcode' => 'Postcode overschrijven',
+ 'duplicate' => 'Die groepsnaam (:name) bestaat al. Als het de jouwe is, ga dan naar de Groepen-pagina via het menu en bewerk het.',
+ 'create_failed' => 'Groep konnietworden gemaakt. Bekijk de gemelde fouten, corrigeer ze en probeer het opnieuw.',
+ 'edit_failed' => 'Groep kon niet worden bewerkt.',
+ 'delete_group' => 'Groep verwijderen',
+ 'archive_group' => 'Archiefgroep',
+ 'archived_group' => 'Gearchiveerd',
+ 'archived_group_title' => 'Deze groep werd gearchiveerd op :datum.',
+ 'delete_group_confirm' => 'Bevestig dat u :naam wilt verwijderen.',
+ 'archive_group_confirm' => 'Bevestig dat u :name wilt archiveren.',
+ 'delete_succeeded' => 'Groep:naamis verwijderd.',
+ 'nearest_groups' => 'Dit zijn de groepen die zich binnen 50 km van :location bevinden',
+ 'nearest_groups_change' => '(veranderen)',
+ 'invitation_pending' => 'Je hebt een uitnodiging voor deze groep. Klik hierals je lid wilt worden.',
+ 'geocode_failed' => 'Locatie niet gevonden. Als u de locatie van uw groep niet kunt vinden, probeer dan een meer algemene locatie (zoals dorp/stad) of een specifiek adres in plaats van een gebouwnaam.',
+ 'discourse_title' => 'Dit is een discussiegroep voor iedereen die :group volgt.
+
+Hier vindt u de hoofdpagina van de groep: :link.
+
+Leer hier hoe u deze groep gebruikt: :help.',
+ 'talk_group' => 'Groepsgesprek bekijken',
+ 'talk_group_add_title' => 'Welkom bij :group_name',
+ 'talk_group_add_body' => 'Bedankt voor het volgen van :group_name! Je ontvangt nu meldingen wanneer nieuwe evenementen zijn gepland en worden toegevoegd aan groepsberichten.Leer hoe groepsberichten werken en hoe je de instellingen voor meldingen kunt wijzigen.',
+ 'groups_location_placeholder' => 'Voer uw adres in',
+ 'editing' => 'Bewerken',
+ 'timezone' => 'Tijdzone',
+ 'timezone_placeholder' => 'Dit heeft voorrang op de tijdzone van de locatie.',
+ 'override_timezone' => 'Tijdzone opheffen',
+ 'you_have_joined' => 'Je bent lid geworden van:naam',
+ 'groups_title_admin' => 'Groepen om te modereren',
+ 'group_requires_moderation' => 'Groep vereist moderatie',
+ 'field_phone' => 'Telefoonnummer',
+ 'phone_small' => '(Optioneel)',
+ 'invite_success' => 'Uitnodigingen verstuurd!',
+ 'invite_success_apart_from' => 'Verstuurde uitnodigingen - behalve deze (:e-mails) die al lid zijn van de groep, al een uitnodiging hebben ontvangen of niet hebben aangegeven e-mails te willen ontvangen.',
+ 'invite_invalid' => 'Er is iets misgegaan - deze uitnodiging is ongeldig of verlopen.',
+ 'invite_confirmed' => 'Uitstekend! Je bent lid geworden van de groep.',
+ 'follow_group_error' => 'Het is niet gelukt om deze groep te volgen.',
+ 'create_event_first' => 'Maak eerst een gebeurtenis aan om reparatiegegevens toe te voegen.',
+ 'follow_group_first' => 'Reparatiegegevens worden toegevoegd aan communautaire reparatie-evenementen. Volg eerst een groep en kies dan een evenement om reparatiegegevens toe te voegen.',
+ 'export_event_list' => 'Evenementenlijst downloaden',
+ 'export' => [
+ 'events' => [
+ 'date' => 'Datum',
+ 'event' => 'Evenement',
+ 'group' => 'Groep',
+ 'volunteers' => 'Vrijwilligers',
+ 'participants' => 'Deelnemers',
+ 'items_total' => 'Items totaal',
+ 'items_fixed' => 'Herstelde items',
+ 'items_repairable' => 'Herstelbare items',
+ 'items_end_of_life' => 'Items einde levensduur',
+ 'items_kg_waste_prevented' => 'kg voorkomen afval',
+ 'items_kg_co2_prevent' => 'kg voorkomen CO2',
+ ],
+ ],
+];
diff --git a/lang/instances/base/nl/landing.php b/lang/instances/base/nl/landing.php
new file mode 100644
index 0000000000..a35ad4dda3
--- /dev/null
+++ b/lang/instances/base/nl/landing.php
@@ -0,0 +1,37 @@
+ 'Welkom bij Restarters!',
+ 'intro' => 'Wij zijn een wereldwijd netwerk van mensen die anderen helpen repareren op gemeenschapsevenementen.',
+ 'join' => 'Doe mee',
+ 'login' => 'Inloggen',
+ 'learn' => 'Reparatievaardigheden leren en delen met anderen',
+ 'landing_1_alt' => 'Reparatievaardigheden (credit Mark Phillips)',
+ 'landing_2_alt' => 'Herstartfeest (credit Mark Phillips)',
+ 'landing_3_alt' => 'Herstart menigte (credit Mark Phillips)',
+ 'repair_skills' => 'Fris je reparatievaardigheden op met onze reparatiewiki',
+ 'repair_advice' => 'Krijg of deel reparatieadvies op het forum',
+ 'repair_group' => 'Volg je plaatselijke reparatiegroep',
+ 'repair_start' => 'Start met repareren',
+ 'organise' => 'Organiseer reparatie-evenementen voor de gemeenschap',
+ 'organise_advice' => 'Krijg advies en ondersteuning van andere organisatoren',
+ 'organise_manage' => 'Beheer je groep en zoek vrijwilligers',
+ 'organise_publicise' => 'Publiceer reparatie-evenementen en meet je impact',
+ 'organise_start' => 'Begin met organiseren',
+ 'campaign' => 'De barrières voor reparatie slechten',
+ 'campaign_join' => 'Blijf op de hoogte van de wereldwijde Right to Repair-beweging',
+ 'campaign_barriers' => 'Documenteer de barrières voor reparatie',
+ 'campaign_data' => 'Analyseer reparatiegegevens',
+ 'campaign_start' => 'Doe mee met de beweging',
+ 'need_more' => 'Meer nodig?',
+ 'network' => 'Versterk uw netwerk',
+ 'network_blurb' => 'Als je een netwerk van buurtreparatiegroepen coördineert, bieden we ook betaalbare pakketten op maat om je werk gemakkelijker te maken.',
+ 'network_tools' => 'Geef je groepen toegang tot tools voor evenementenbeheer en GDPR-conforme communicatie',
+ 'network_events' => 'Geef je groepen en evenementen automatisch weer op je website',
+ 'network_record' => 'Laat je vrijwilligers eenvoudig reparatiegegevens registreren',
+ 'network_impact' => 'Meet en volg de totale impact van je netwerk',
+ 'network_brand' => 'Custom-branding en lokalisatie: gebruik je logo en taal',
+ 'network_power' => 'Help de Right to Repair-beweging op gang',
+ 'network_start' => 'Neem contact op',
+ 'network_start_url' => 'https://therestartproject.org/contact',
+];
diff --git a/lang/instances/base/nl/login.php b/lang/instances/base/nl/login.php
new file mode 100644
index 0000000000..c26c8dac64
--- /dev/null
+++ b/lang/instances/base/nl/login.php
@@ -0,0 +1,20 @@
+ ' Dit is een plek om de community elektronica reparatie beweging te laten groeien. De wereld heeft meer reparatie nodig en meer reparatievaardigheden die gedeeld moeten worden. Doe mee als je dat wilt: Bedankt voor het deelnemen aan onze gemeenschapsruimte. In de gemeenschapsruimte kun je: Je startpunt is hetcommunity dashboard. Je dashboard geeft je in één oogopslag informatie over de laatste gebeurtenissen in de community, evenals snelle toegang tot veelvoorkomende acties. Een goede plek om te beginnen is de Aan de slag sectie. This is a place to grow the community electronics repair movement. The world needs more fixing and more fixing skills to be shared. Join in if you would like to: Thank you for being a part of our community space. And thank you for being a beta tester! With your feedback we can help improve the platform for everyone. In the community space you can: Your starting point is the community dashboard. Your dashboard gives you at a glance info on the latest happenings in the community, as well as quick access to common actions. A good place to start is the Getting Started section. Jeder, der Interesse und ein wenig Organisationstalent hat, kann eine Reparaturgruppe gründen. Wenn Sie bereit sind, eine Gruppe zu gründen, erstellen Sie einfach eine auf derGruppen Seite.',
+];
diff --git a/lang/instances/fixitclinic/de/devices.php b/lang/instances/fixitclinic/de/devices.php
new file mode 100644
index 0000000000..cfdafe1ff4
--- /dev/null
+++ b/lang/instances/fixitclinic/de/devices.php
@@ -0,0 +1,5 @@
+ 'Lesen Sie mehrdarüber, wie sich die Geräte, die wir besitzen, auf die Umwelt auswirken. Sie können dazu beitragen, dass unser Einfluss noch größer wird.',
+];
diff --git a/lang/instances/fixitclinic/de/errors.php b/lang/instances/fixitclinic/de/errors.php
new file mode 100644
index 0000000000..f5446cfe50
--- /dev/null
+++ b/lang/instances/fixitclinic/de/errors.php
@@ -0,0 +1,5 @@
+ 'Sie können das Problem melden, indem Sie eine E-Mail ancommunity@ifixit.comsenden.',
+];
diff --git a/lang/instances/fixitclinic/de/events.php b/lang/instances/fixitclinic/de/events.php
new file mode 100644
index 0000000000..475d70f207
--- /dev/null
+++ b/lang/instances/fixitclinic/de/events.php
@@ -0,0 +1,9 @@
+ ' Wie berechnen wir die Umweltbelastung? Wir haben das durchschnittliche Gewicht und den CO2e-Fußabdruck von Produkten in einer Reihe von Kategorien, von Smartphones bis zu T-Shirts. Wenn Sie einen Artikel eingeben, den Sie repariert haben, verwenden wir diese Durchschnittswerte, um die Auswirkungen dieser Reparatur auf der Grundlage der Kategorie des Artikels zu schätzen. Für sonstige Gegenstände wenden wir ein allgemeines CO2e-zu-Gewicht-Verhältnis an, um die Auswirkungen jeder erfolgreichen Reparatur zu schätzen. Erfahren Sie mehr darüber, wie wir die Auswirkungen berechnen, hier Es gibt keine Gruppen im Umkreis von 50 km um Ihren Standort. Sie könnenalle Gruppen hier sehen. Oder warum gründen Sie nicht Ihre eigene Gruppe?Erfahren Sie, was es bedeutet, eine eigene Reparaturveranstaltung zu leiten. Cualquiera que tenga interés y cierta capacidad de organización puede crear un grupo comunitario de reparaciones. Una vez que estés listo para crear un grupo, sólo tienes que crearlo en la página deGrupos.',
+];
diff --git a/lang/instances/fixitclinic/es/devices.php b/lang/instances/fixitclinic/es/devices.php
new file mode 100644
index 0000000000..52b660358f
--- /dev/null
+++ b/lang/instances/fixitclinic/es/devices.php
@@ -0,0 +1,5 @@
+ 'Más informaciónsobre el impacto medioambiental de los aparatos que poseemos. Tú puedes hacer que nuestro impacto llegue aún más lejos.',
+];
diff --git a/lang/instances/fixitclinic/es/errors.php b/lang/instances/fixitclinic/es/errors.php
new file mode 100644
index 0000000000..71d3eccc66
--- /dev/null
+++ b/lang/instances/fixitclinic/es/errors.php
@@ -0,0 +1,5 @@
+ 'Puede informar del problema enviando un correo electrónico acommunity@ifixit.com.',
+];
diff --git a/lang/instances/fixitclinic/es/events.php b/lang/instances/fixitclinic/es/events.php
new file mode 100644
index 0000000000..0257807ad0
--- /dev/null
+++ b/lang/instances/fixitclinic/es/events.php
@@ -0,0 +1,9 @@
+ ' ¿Cómo calculamos el impacto medioambiental? Hemos investigado el peso medio y el CO2e de productos de diversas categorías, desde smartphones hasta camisetas. Cuando introduces un artículo que has reparado, utilizamos estos promedios para estimar el impacto de esa reparación en función de la categoría del artículo. En el caso de los artículos varios, utilizamos estos promedios para estimar el impacto de esa reparación en función de la categoría del artículo
+ Para los artículos varios, aplicamos una relación genérica de CO2e a peso para estimar el impacto de cada reparación realizada con éxito. {{HTMLTATA}
+ Obtenga más información sobre cómo calculamos el impacto aquí No hay grupos a menos de 50 km de tu ubicación. Puedesver todos los grupos aquí. ¿O por qué no creas el tuyo propio?Aprende lo que implica organizar tu propio evento de reparación. Toute personne intéressée et ayant des compétences en matière d\'organisation peut créer un groupe de réparation communautaire. Une fois que vous êtes prêt à créer un groupe, il vous suffit d\'en créer un sur la page des groupesGroupes.',
+];
diff --git a/lang/instances/fixitclinic/fr/devices.php b/lang/instances/fixitclinic/fr/devices.php
new file mode 100644
index 0000000000..0ede248d5f
--- /dev/null
+++ b/lang/instances/fixitclinic/fr/devices.php
@@ -0,0 +1,5 @@
+ 'En savoir plussur l\'impact des gadgets que nous possédons sur l\'environnement. Vous pouvez faire en sorte que notre impact soit encore plus grand.',
+];
diff --git a/lang/instances/fixitclinic/fr/errors.php b/lang/instances/fixitclinic/fr/errors.php
new file mode 100644
index 0000000000..eaed5ac952
--- /dev/null
+++ b/lang/instances/fixitclinic/fr/errors.php
@@ -0,0 +1,5 @@
+ 'Vous pouvez signaler le problème en envoyant un courriel àcommunity@ifixit.com.',
+];
diff --git a/lang/instances/fixitclinic/fr/events.php b/lang/instances/fixitclinic/fr/events.php
new file mode 100644
index 0000000000..fdf6ffe34c
--- /dev/null
+++ b/lang/instances/fixitclinic/fr/events.php
@@ -0,0 +1,9 @@
+ ' Comment calculer l\'impact environnemental ? Nous avons étudié le poids moyen et la CO2des produits de différentes catégories, des smartphones aux t-shirts. Lorsque vous indiquez un article que vous avez réparé, nous utilisons ces moyennes pour estimer l\'impact de cette réparation en fonction de la catégorie de l\'article. Dans le cas d\'articles divers, nous utilisons ces moyennes pour estimer l\'impact de cette réparation en fonction de la catégorie de l\'article
+ Pour en savoir plus sur la manière dont nous calculons l\'impact, cliquez ici {HTMLTAG_31}}',
+ 'review_requested' => 'Merci - tous les participants ont reçu une notification',
+];
diff --git a/lang/instances/fixitclinic/fr/general.php b/lang/instances/fixitclinic/fr/general.php
new file mode 100644
index 0000000000..09e64aaed3
--- /dev/null
+++ b/lang/instances/fixitclinic/fr/general.php
@@ -0,0 +1,33 @@
+ 'Rapports',
+ 'general' => 'Général',
+ 'menu_tools' => 'Outils communautaires',
+ 'menu_other' => 'Autres liens',
+ 'help_feedback_url' => 'https://about.ifixit.com/',
+ 'faq_url' => 'https://about.ifixit.com/',
+ 'restartproject_url' => 'https://local.ifixit.com',
+ 'other_profile' => 'profil',
+ 'email_alerts_pref1' => 'Je souhaite recevoir le bulletin d\'information',
+ 'email_alerts_pref2' => 'Je souhaite recevoir des notifications par courrier électronique sur les événements ou les groupes organisés près de chez moi',
+ 'introduction_message' => 'Nous sommes une communauté mondiale de personnes qui aident les autres à réparer leurs affaires lors d\'événements communautaires. Rejoignez-nous !',
+ 'your_name' => 'Votre nom',
+ 'your_name_validation' => 'Veuillez saisir votre nom',
+ 'repair_skills' => 'Compétences',
+ 'repair_skills_content' => 'Ceci est facultatif mais nous aide à améliorer votre expérience - quelles sont les compétences que vous possédez et que vous aimeriez partager avec d\'autres ?',
+ 'your_repair_skills' => 'Vos compétences',
+ 'save_repair_skills' => 'Sauvegarder les compétences',
+ 'email_alerts' => 'Emails et alertes',
+ 'email_alerts_text' => 'Veuillez choisir le type de mises à jour par courrier électronique que vous souhaitez recevoir. Vous pouvez les modifier à tout moment. Notre politique de confidentialité est disponibleici',
+ 'menu_discourse' => 'Parler',
+ 'menu_wiki' => 'Wiki',
+ 'menu_help_feedback' => 'Aide et commentaires',
+ 'menu_faq' => 'FAQ',
+ 'therestartproject' => 'Réparation communautaire',
+ 'calendar_feed_help_url' => '/t/fixometer-how-to-subscribe-to-a-calendar',
+ 'menu_fixometer' => 'Fixomètre',
+ 'menu_events' => 'Evénements',
+ 'menu_groups' => 'Groupes',
+ 'menu_workbench' => 'Établi',
+];
diff --git a/lang/instances/fixitclinic/fr/groups.php b/lang/instances/fixitclinic/fr/groups.php
new file mode 100644
index 0000000000..a13d729935
--- /dev/null
+++ b/lang/instances/fixitclinic/fr/groups.php
@@ -0,0 +1,6 @@
+ 'par exemple : \"Boston Fixit Clinic\" ou \"Nottingham Fixers\"',
+ 'no_groups_nearest_with_location' => ' Il n\'y a pas de groupe dans un rayon de 50 km autour de votre position. Vous pouvezvoir tous les groupes ici. Ou pourquoi ne pas créer votre propre groupe ?Découvrez ce qu\'implique la gestion de votre propre événement de réparation. Chiunque abbia interesse e qualche capacità organizzativa può avviare un gruppo di riparazione comunitario. Una volta pronti ad avviare un gruppo, è sufficiente crearne uno nella paginadei gruppi Gruppi.',
+];
diff --git a/lang/instances/fixitclinic/it/devices.php b/lang/instances/fixitclinic/it/devices.php
new file mode 100644
index 0000000000..27451a6819
--- /dev/null
+++ b/lang/instances/fixitclinic/it/devices.php
@@ -0,0 +1,5 @@
+ 'Leggi di piùsu come i gadget che possediamo hanno un impatto sull\'ambiente. Potete far sì che il nostro impatto sia ancora maggiore.',
+];
diff --git a/lang/instances/fixitclinic/it/errors.php b/lang/instances/fixitclinic/it/errors.php
new file mode 100644
index 0000000000..358a84f731
--- /dev/null
+++ b/lang/instances/fixitclinic/it/errors.php
@@ -0,0 +1,5 @@
+ 'È possibile segnalare il problema inviando un\'e-mail acommunity@ifixit.com.',
+];
diff --git a/lang/instances/fixitclinic/it/events.php b/lang/instances/fixitclinic/it/events.php
new file mode 100644
index 0000000000..36b4734b69
--- /dev/null
+++ b/lang/instances/fixitclinic/it/events.php
@@ -0,0 +1,9 @@
+ ' Come si calcola l\'impatto ambientale? Abbiamo fatto una ricerca sul peso medio e sul CO2dei prodotti di diverse categorie, dagli smartphone alle magliette. Quando inserite un articolo che avete riparato, utilizziamo queste medie per stimare l\'impatto della riparazione in base alla categoria dell\'articolo. Per gli articoli diversi, applichiamo un rapporto generico tra CO2e e peso per stimare l\'impatto di ogni riparazione andata a buon fine. Per saperne di più su come calcoliamo l\'impatto, cliccare qui Non ci sono gruppi nel raggio di 50 km dalla tua posizione. Puoivedere tutti i gruppi qui. O perché non crearne uno proprio?Scopri cosa comporta la gestione di un proprio evento di riparazione. Iedereen met interesse en enige vaardigheden in het organiseren kan een gemeenschapsreparatiegroep starten. Als je klaar bent om een groep te starten, maak er dan een aan op deGroepen pagina.',
+];
diff --git a/lang/instances/fixitclinic/nl/devices.php b/lang/instances/fixitclinic/nl/devices.php
new file mode 100644
index 0000000000..9a99adec90
--- /dev/null
+++ b/lang/instances/fixitclinic/nl/devices.php
@@ -0,0 +1,5 @@
+ 'Lees meerover hoe de gadgets die we bezitten een impact hebben op het milieu. Jij kunt onze impact nog groter maken.',
+];
diff --git a/lang/instances/fixitclinic/nl/errors.php b/lang/instances/fixitclinic/nl/errors.php
new file mode 100644
index 0000000000..8fb24cbcda
--- /dev/null
+++ b/lang/instances/fixitclinic/nl/errors.php
@@ -0,0 +1,5 @@
+ 'Je kunt het probleem melden door een e-mail te sturen naarcommunity@ifixit.com.',
+];
diff --git a/lang/instances/fixitclinic/nl/events.php b/lang/instances/fixitclinic/nl/events.php
new file mode 100644
index 0000000000..abcf16ee96
--- /dev/null
+++ b/lang/instances/fixitclinic/nl/events.php
@@ -0,0 +1,9 @@
+ ' Hoe berekenen we de impact op het milieu? We hebben onderzoek gedaan naar het gemiddelde gewicht en CO2e voetafdruk van producten in verschillende categorieën onderzocht, van smartphones tot T-shirts. Als je een item invoert dat je hebt gerepareerd, gebruiken we deze gemiddelden om de impact van die reparatie te schatten op basis van de categorie van het item. Voorisc items passen we een algemene CO2e gewichtsverhouding toe om de impact van elke succesvolle reparatie in te schatten. Lees hier meer over hoe we de impact berekenen Er zijn geen groepen binnen 50 km van je locatie. Je kunt hieralle groepen zien. Of waarom begin je niet je eigen groep?Leer wat het runnen van je eigen reparatie-evenement inhoudt. This is a place to grow the community electronics repair movement. The world needs more fixing and more fixing skills to be shared.<\/p> Join in if you would like to:<\/p> Wir sehen bei Reparaturveranstaltungen viele kaputte Ger\u00e4te, die ein Problem mit Batterie oder Akku haben. Aber was ist die Ursache f\u00fcr das Versagen der Akkus und wie k\u00f6nnte man sie leichter reparieren oder ersetzen? Helfen Sie uns mit BattCat, die h\u00e4ufigsten Probleme von Akkus herauszufinden!<\/p> Die Reparaturdaten in BattCat stammen aus der ganzen Welt, von Partnern der Open Repair Alliance<\/a>.<\/p>","get_involved":"Mach mit","title":"Hilf jetzt! BattCat"},"dustup":{"description":" We see lots of broken vacuum cleaners at community repair events. But what's causing them to break and what could make them easier to fix? Help us figure out the most common issues we see with vacuum cleaners with DustUp!<\/p> The repair data in DustUp comes from around the world, via partners of the Open Repair Alliance<\/a>.<\/p>","get_involved":"Get involved","title":"Help Now! DustUp"},"get_involved":"Mach mit","mobifix":{"get_involved":"Mach mit","title":"Hilf uns jetzt! MobiFix"},"mobifixora":{"get_involved":"Mach mit","title":"Hilf uns jetzt! MobiFix:ORA"},"printcat":{"description":"Wir sehen bei Reparaturveranstaltungen viele Drucker. Aber warum gehen diese kaputt und was k\u00f6nnte sie leichter reparierbar machen? Hilf uns, mit PrintCat die h\u00e4ufigsten Defekte zu finden, die wir bei Druckern sehen!","get_involved":"Mach mit","short_description":"Hilf uns, mit PrintCat die h\u00e4ufigsten Defekte zu finden, die wir bei Druckern sehen!","title":"Hilf jetzt! PrintCat"},"tabicat":{"description":" Wir sehen bei Reparaturveranstaltungen viele Tablets. Aber warum gehen diese kaputt und was k\u00f6nnte sie leichter reparierbar machen? Hilf uns, mit TabiCat die h\u00e4ufigsten Defekte zu finden, die wir bei Tablets sehen.<\/p> Die Reparaturdaten in TabiCat kommen aus der ganzen Welt, von Partnern der Open Repair Alliance<\/a>.<\/p>","get_involved":"Mach mit","short_description":"Warum fallen Tablets aus und was sind die Hindernisse bei der Reparatur?","title":"Hilf jetzt! TabiCat"},"title":"Hilf jetzt! MobiFix"},"discussion":{"number_of_comments":"Anzahl der Kommentare","see_all":"alle anzeigen","title":"Was pa\u00dfiert","topic_created_at":"Thema erstellt"},"news":{"content":"Bei unserer MobiFix-Suche haben uns Freiwillige auf der ganzen Welt geholfen, Daten der Open Repair Alliance zu Smartphones zu analysieren.\n Wir sammeln bei Reparaturveranstaltungen Daten. Aber wir brauchen deine Hilfe, um aus den Rohdaten starke Argumente f\u00fcr be\u00dfere Produkte zu machen. Mit deiner Hilfe k\u00f6nnen wir das System ver\u00e4ndern.<\/p> \nDies ist ein einfacher Weg, um Gutes zu tun, ganz egal ob du bei Reparaturveranstaltungen dabei sein kannst. Mach mit, und investiere so viel Zeit und Aufmerksamkeit wie du m\u00f6chtest. Die meisten Aufgaben sind auch f\u00fcr technisch nicht versierte Menschen machbar. Und wir k\u00f6nnen euch jederzeit unterst\u00fctzen.","join":"Mitmachen","my_contributions":"Meine Beitr\u00e4ge","my_quests":":value Projekte","number_of_quests":"Anzahl der Herausforderungen","number_of_tasks":"Anzahl der Aufgaben","title":"Hilf von \u00fcberall mit"}},"de.onboarding":{"finishing_action":"To the dashboard","next":"Next","previous":"Previous","slide1_content":" Thank you for being a part of our community space.<\/p> And thank you<\/strong> for being a beta tester! With your feedback we can help improve the platform for everyone.<\/p>","slide1_heading":"Welcome!","slide2_content":" In the community space you can:<\/p> <\/p><\/ul>","slide2_heading":"Your gateway to community repair","slide3_content":" Your starting point is the community dashboard<\/strong>.<\/p> Your dashboard gives you at a glance info on the latest happenings in the community, as well as quick access to common actions.<\/p> A good place to start is the Getting Started<\/strong> section.<\/p>","slide3_heading":"Let's get started!"},"de.pagination":{"next":"Next »","previous":"« Previous"},"de.partials":{"add_a_device":"Add a device","add_device":"Add item","area_text_1":"Through this community, potential volunteers self-register and share their location. The platform is designed to connect organisers and fixers.","area_text_2":"Through this community, potential volunteers self-register and share their location. Here's a list of potential volunteers near you","cancel":"Cancel","category":"Category","category_none":"None of the above","co2":"CO2<\/sub> emissions prevented","community_news":"how_to_set_up_a_group","community_news_text":"The latest from our community blog - we are always looking for guest posts, send ideas to janet@therestartproject.org<\/a>","discussion":"Discussion","discussion_text":"Meet other event organisers and repair volunteers, trade tips, get help, or discuss the system-level barriers to longer-lasting products","diy":"Do it yourself","end":"End","end_of_life":"End-of-life","event_requires_moderation_by_an_admin":"Event requires moderation by an admin","fixed":"Fixed","getting_started_link":"View the materials","host":"Host","host_getting_started_text":"We offer materials on how to help organise repair events in your community.","host_getting_started_title":"Getting started in community repair","how_to_host_an_event":"How to host an event","how_to_host_an_event_text":"We have years of experience hosting community repair events, and we offer materials on how to organise events them. We also offer peer to peer support on our forum.","information_up_to_date":"Keep your group information up to date!","information_up_to_date_text":"A fresh profile helps recruit more volunteers. Make sure to link to your website or social media channels.","least_repaired":"Least repaired","more_time":"More time needed","most_repaired":"Most repaired","most_seen":"Most seen","n_a":"N\/A","no":"Not needed","no_devices_added":"No devices added","no_past_events":"No Past Events","professional_help":"Professional help","read_more":"Read more","remove_volunteer":"Remove volunteer","repairable":"Repairable","restarter_getting_started_text":"We offer materials on how to help others fix their electronics at community events: on how to share your repair skills in your community and help organise events.","restarter_getting_started_title":"Getting started in community repair","restarters_in_your_area":"Restarters in your area","save":"Save item","see_all_events":"See all events","see_more_posts":"See more posts","solution_text":"Could the solution comments help Restarters working on a similar device in future? Or is it a fun case study?","solution_text2":"Interesting case study to share?","update":"Update","view_the_materials":"view_the_materials","welcome_text":"We offer materials on how to help others fix their electronics at community events: on how to share your repair skills in your community and help organise events","welcome_title":"Getting started in community repair","wiki_text":"A changing selection of pages from our repair wiki. Read and contribute advice for community repair!","wiki_title":"Wiki","yes":"Yes","yes_manufacturer":"Yes - from manufacturer","yes_third_party":"Yes - from 3rd party","your_recent_events":"Your recent events","your_recent_events_txt1":"These are events you RSVP'ed to, or where a host logged your participation.","your_recent_events_txt2":"Here's a list of recent events you have been a part of - all important contributions to your community and the environment."},"de.passwords":{"password":"Passwords must be at least six characters and match the confirmation.","reset":"Your password has been reset!","sent":"We have e-mailed your password reset link!","token":"This password reset token is invalid.","user":"We can't find a user with that e-mail address."},"de.printcatora":{"about":"Mehr Informationen","branding":{"powered_by":"Unter Verwendung von Daten aus:"},"info":{"body-s1-header":"Was ist PrintCat?","body-s1-p1":"Drucker k\u00f6nnen frustrierend sein, leicht kaputt gehen und sind oft schwer zu reparieren. Wir wollen verstehen, warum Drucker ausfallen, damit wir Entscheidungstr\u00e4gern mitteilen k\u00f6nnen, wie zuk\u00fcnftige Modelle einfacher zu reparieren sind. Reparatur vermeidet Abfall und schont die Ressourcen unseres Planeten.","body-s1-p2":"Mit PrintCat k\u00f6nnen Sie sich an unserer Untersuchung beteiligen. Wir haben Informationen zu \u00fcber 800 defekten Druckern gesammelt und brauchen Ihre Hilfe, um diese zu kategorisieren.","body-s2-header":"Was muss ich tun?","body-s2-p1":"Lesen Sie einfach die Informationen \u00fcber den defekten Drucker und w\u00e4hlen Sie die Art des beschriebenen Fehlers aus der Liste darunter aus. Wenn Sie sich nicht sicher sind, w\u00e4hlen Sie unten einfach \"Ich wei\u00df nicht\". Sobald Sie eine Option ausgew\u00e4hlt haben, zeigen wir Ihnen einen anderen Drucker. Je mehr Druckerfehler Sie kategorisieren k\u00f6nnen, desto mehr lernen wir! PrintCat zeigt jeden Drucker 3 Personen, die helfen, die richtige Kategorie zu best\u00e4tigen.","body-s3-header":"Woher bekommt PrintCat Daten \u00fcber defekte Drucker?","body-s3-p1":"PrintCat verwendet Informationen von der Open Repair Alliance<\/a>, die Daten \u00fcber kaputte Ger\u00e4te sammelt, die echte Menschen auf der ganzen Welt bei Reparaturveranstaltungen wie Repair Caf\u00e9s und Restart-Partys zu reparieren versucht haben.","body-s4-header":"Noch Fragen?","body-s4-p1":"Erfahren Sie mehr, stellen Sie Fragen und geben Sie uns Ihr Feedback, in der PrintCat-Diskussion<\/a>.","title":"Danke, dass Sie PrintCat ausprobiert haben"},"status":{"brand":"Marke","items_0_opinions":"mit 0 Meinungen","items_1_opinion":"mit 1 Meinung","items_2_opinions":"mit 2 Meinungen","items_3_opinions":"mit 3 Meinungen","items_majority_opinions":"Artikel mit Mehrheitsmeinungen","items_opinions":"Artikel \/ Meinungen","items_split_opinions":"Artikel mit geteilten Meinungen","number_of_records":"Anzahl der Eintr\u00e4ge","opinions":"Meinungen","problem":"Problem","status":"Status","task_completed":"Du hast alle Eintr\u00e4ge gesehen, danke","total":"Gesamt","winning_opinion":"Siegermeinung"}},"de.profile":{"biography":"Biography","change_photo":"Change my photo","edit_user":"Edit user","my_skills":"My skills","no_bio":":name has not yet entered a biography.","profile_picture":"Profile picture","skills":"Skills"},"de.registration":{"age":"Year of birth","age_help":"To help spread community repair, we need greater insights into intergenerational dynamics.","age_validation":"Please add your year of birth.","complete-profile":"Complete my profile","country":"Country","country_help":"Knowing where volunteers are based helps to grow the global community.","country_validation":"Please add your country.","gender":"Gender (Optional)","gender_help":"Sharing your gender identity can help the community learn how to promote diversity, but we understand not everybody wants to share.","next-step":"Next step","previous-step":"Previous step","reg-step-1-1":"This is optional but helps us to improve your experience and helps organise events. You can change these later in your profile.","reg-step-1-heading":"What skills would you like to share with others?","reg-step-2-1":"This information is useful for us to serve the community better. Of your personal data, only your skills, town\/city and name will be visible to other community members.","reg-step-2-2":"To create an account, you must set a password","reg-step-2-heading":"Tell us a little bit about yourself","reg-step-3-1a":"We can send you email updates about events and groups related to you, and about Restart Project activities in general.","reg-step-3-2b":"Following registration, you will receive a short series of welcome emails. You can also opt-in to other communications below.","reg-step-3-heading":"How would you like us to keep in touch?","reg-step-3-label1":"I would like to receive The Restart Project monthly newsletter","reg-step-3-label2":"I would like to receive email notifications about events or groups near me","reg-step-4":"Please give your consent to our uses of the data that you enter.","reg-step-4-heading":"Uses of the data you enter","reg-step-4-label1":"Personal Data<\/strong>. I consent for The Restart Project to use my personal data internally for the purposes of registering me in the community, verifying the source of repair data and improving the volunteer experience. I understand that my personal profile will be visible to other community members, however personal data provided will never be shared with third parties without my consent. I understand I can delete my profile and all my personal data at any time - and access the community Privacy Policy here<\/a>.","reg-step-4-label2":"Repair Data<\/strong>. By contributing repair data to the Fixometer, I give The Restart Project a perpetual royalty-free license to use it. The license allows Restart to distribute the data under any open license and to retain any non-personal data even in case I request deletion of my personal profile on the Fixometer. (Read more about how we use repair data here<\/a><\/i>.)","reg-step-4-label3":"Historical Repair Data<\/strong>. I give a perpetual royalty-free license to any of my previous repair data contributions to The Restart Project. The license allows Restart to distribute the data under any open license and to retain any non-personal data even in case I request deletion of my personal profile on the Fixometer. (Read more about how we use repair data here<\/a><\/i>.)","step-1":"Step 1 of 4","step-2":"Step 2 of 4","step-3":"Step 3 of 4","step-4":"Step 4 of 4","town-city":"Town\/City (Optional)","town-city-placeholder":"E.g. Paris, London, Brussels","town-city_help":"Town\/city helps match volunteers to groups and to find local events."},"de.reporting":{"age_range":"Age range","average_age":"Average age","breakdown_by_city":"Breakdown by city","breakdown_by_city_content":"Volunteer hours grouped by the volunteer town\/city (note: town\/country is optional so may not be set for all volunteers).","breakdown_by_country":"Breakdown by country","breakdown_by_country_content":"Volunteer hours grouped by volunteer country.","by_location":"By location","by_users":"By volunteer","country":"Country","country_name":"Country name","event_date":"Event date","event_name":"Event","export_csv":"Export to CSV","gender":"Gender","hours":"Hours","include_anonymous_users":"Include anonymous users","miscellaneous":"Miscellaneous","no":"No","number_of_anonymous_users":"Number of anonymous users","number_of_groups":"Number of groups","placeholder_age_range":"Choose age range","placeholder_gender":"Choose gender","placeholder_gender_text":"Search gender","placeholder_group":"Choose group","placeholder_name":"Search name","restart_group":"Group","restarter_name":"Restarter","search-all-time-volunteered":"Search time volunteered","see_all_results":"See all results","time_volunteered":"Time Volunteered","total_hours":"Total hours","total_number_of_users":"Total number of users","town_city_name":"Town\/city name","yes":"Yes"},"de.strings":{"Access issue":"Zugangsproblem","Administrator":"Administrator","Aircon\/dehumidifier":"Klimaanlage\/Luftentfeuchter","All rights reserved.":"Alle Rechte vorbehalten","Battery is not the main problem":"Akku ist nicht das Hauptproblem","Battery not readily available":"Ersatzakku schwer zu bekommen","Battery\/charger\/adapter":"Akku\/Ladeger\u00e4t\/Adapter","Bicycle":"Fahrrad","Bluetooth":"Bl\u00fctooth","Built-in or soldered battery, cannot remove":"Eingebauter oder verl\u00f6teter Akku, kann nicht entfernt werden","Camera":"Kamera","Card reader":"Kartenleser","Changing a fuse":"Sicherung austauschen","Charger":"Ladeger\u00e4t","Charger not readily available":"Ersatzladeger\u00e4t schwer zu bekommen","Clean battery contacts":"Kontakte reinigen","Clothing\/textile":"Kleidung\/Textilien","Coffee maker":"Coffee maker","Computers and Home Office":"Computer und B\u00fcroartikel","Configuration":"Konfiguration","Confirm Password":"Passwort best\u00e4tigen","Control buttons":"Ste\u00fcrungstasten","DSLR\/video camera":"Spiegelreflex-\/Videokamera","Damaged while replacing battery":"Besch\u00e4digt beim Austausch des Akkus","Data volunteering":"Datenanalyse","Decorative or safety lights":"Beleuchtung","Desktop computer":"Computer und B\u00fcroartikel","Difficult to remove battery":"Akku l\u00e4sst sich nur schwer entfernen","Digital compact camera":"Digitale Kompaktkamera","Display panel":"Bildschirm","E-Mail Address":"Emailadresse","Electronic Gadgets":"Elektronisches Gadget","Electronics safety":"Sicherer Umgang mit Elektrizit\u00e4t","End of life":"Ende der Lebensda\u00fcr","External damage":"Externer Schaden","Fan":"Gebl\u00e4se","Finding venues":"Veranstaltungsorte finden","First aid":"Erste Hilfe","Fix connectors or casing":"Stecker oder Geh\u00e4use fixieren","Fix the charging port":"Reparieren des Ladeanschlusses","Fixed":"Repariert","Flat screen":"Flachbildschirm","Flat screen 15-17\"":"Flachbildschirm 15-17","Flat screen 19-20\"":"Flachbildschirm 19-20","Flat screen 22-24\"":"Flachbildschirm 22-24","Flat screen 26-30\"":"Flachbildschirm 26-30","Flat screen 32-37\"":"Flachbildschirm 32-37","Food processor":"K\u00fcchenmaschine","Forgot Your Password?":"Password vergessen?","Furniture":"M\u00f6bel","Games console":"Spielkonsole","Hair & beauty item":"Ger\u00e4t f\u00fcr Haare und K\u00f6rperpflege","Hand tool":"Hand tool","Handheld entertainment device":"Tragbares Unterhaltungsger\u00e4t","Headphone jack":"Kopfh\u00f6reranschluss","Headphones":"Kopfh\u00f6rer","Hello!":"Hallo!","Help\/configuration":"Hilfe\/Konfiguration","Hi-Fi integrated":"Audioger\u00e4t integriert","Hi-Fi separates":"Audioger\u00e4t einzeln","Home Entertainment":"Unterhaltungsger\u00e4te","Host":"Gastgeber:in","Imaging unit\/drum":"Abbildungseinheit\/Trommel","Ink cartridge":"Tintenpatrone","Internal damage":"Interner schaden","Iron":"Iron","Jewellery":"Jewellery","Kettle":"Wasserkocher","Kitchen and Household Items":"K\u00fcchen- und Haushaltsger\u00e4te","Lack of equipment":"Mangel an Ausr\u00fcstung","Lamp":"Lampe","Laptop":"Laptop","Laptop disassembly":"Auseinanderbau eines Laptops","Laptop large":"Laptop gross","Laptop medium":"Laptop mittel","Laptop small":"Laptop klein","Large home electrical":"Gro\u00dfe Haushaltselektroger\u00e4te","Liquid damage":"Wasserschaden","Managing events":"Veranstaltungen planen","Memory card slot":"Speicherkartensteckplatz","Microphone":"Mikrofon","Misc":"Verschiedenes","Mobile":"Handy","Musical instrument":"Musikinstrument","Name":"Name","NetworkCoordinator":"Netzwerkkoordinator","New battery too expensive":"Neuer Akku zu teuer","No way to open the product":"Keine M\u00f6glichkeit, das Ger\u00e4t zu \u00f6ffnen","Non-Powered Items":"nicht-elektrische Gegenst\u00e4nde","On\/Off button":"Ein\/Aus Knopf","Organising skills - please select at least one if you\u2019d like to host events":"Organisationsf\u00e4higkeiten - bitte w\u00e4hle mindestens eine, wenn du Veranstaltungen organisieren m\u00f6chtest.","Other":"Andere","Other buttons":"Andere Kn\u00f6pfe","PC accessory":"Computerzubeh\u00f6r","Paper feed":"Papiervorschub","Paper output":"Papierausgabe","Paper shredder":"Shredder","Password":"Passwort best\u00e4tigen","Performance":"Leistung","Poor data":"Schlechte Daten","Portable radio":"Tragbares Radio","Power supply\/connectors":"Stromversorgung\/Anschl\u00fcsse","Power tool":"Werkzeug","Power\/battery":"Stromversorgung\/Batterie","Print quality":"Druckqualit\u00e4t","Printer\/scanner":"Drucker\/Scanner","Printhead cleaning":"Druckkopfreinigung","Printhead failure":"Druckkopffehler","Projector":"Projektor","Publicising events":"Veranstaltungen bewerben","Recruiting volunteers":"Freiwillige anwerben","Regards":"Gr\u00fcsse","Register":"Registrieren","Remember Me":"Anmeldedaten speichern","Repair information not available":"Reparaturinformationen nicht vorhanden","Repairable":"Reparierbar","Replace the charger or charging cable":"Ladeger\u00e4t oder Ladekabel austauschen","Replace with new battery":"Ersetzen durch neuen Akku","Replacing PCB components":"PCB Komponenten ersetzen","Replacing screens":"Bildschirm ersetzen","Reset Password":"Passwort zur\u00fccksetzen","Restarter":"Reparateur:in","Scanner":"Scanner","Screen":"Bildschirm","Send Password Reset Link":"Schicke einen Link zum Zur\u00fccksetzen des Passworts","Sewing machine":"N\u00e4hmaschine","Sim card slot":"Simkartenslot","Small home electrical":"Kleine Hauselektroger\u00e4te","Small kitchen item":"Kleine K\u00fcchenger\u00e4te","Software issue":"Softwareproblem","Software issue\/update":"Softwareproblem\/Update","Software update":"Softwareupdate","Software\/OS":"Software\/Betriebssystem","Spare parts not available":"Keine Ersatzteile verf\u00fcgbar","Spare parts too expensive":"Ersatzteile zu te\u00fcr","Speaker\/amplifier":"Lautsprecher\/Verst\u00e4rker","Storage Storage":"Speicher","Storage problem":"Speicherproblem","Stuck booting":"Steckt fest beim Hochfahren","TV and gaming-related accessories":"TV- und Gamingaccessoires","Tablet":"Tablet","Technical skills":"Technische F\u00e4higkeiten","Toaster":"Toaster","Toner":"Toner","Toy":"Spielzeug","USB port\/cable":"USB-Anschluss\/Kabel","USB\/charging port":"USB\/Ladeanschluss","Unknown":"Unbekannt","Unrepairable corrosion or leakage":"Unreparierbare Korrosion oder Batterie ausgelaufen","Using a multimeter":"Benutzung eines Multimeter","Vacuum":"Staubsauger","Vendor lock-in":"Vendor Lock-in","Volume buttons":"Lautst\u00e4rketasten","Waste toner\/ink box":"Tonerabfallbox","Watch\/clock":"Uhr","Whoops!":"Ups!","WiFi":"W-lan","non-existent":"nicht vorhanden"},"de.tabicatora":{"about":"Mehr Informationen","branding":{"powered_by":"Unter Verwendung von Daten aus:"},"info":{"body-s1-header":"Was ist TabiCat?","body-s1-p1":"Tablets k\u00f6nnen frustrierend sein, leicht kaputt gehen und sind oft schwer zu reparieren. Wir wollen verstehen, warum Tablets ausfallen, damit wir Entscheidungstr\u00e4gern mitteilen k\u00f6nnen, wie zuk\u00fcnftige Modelle einfacher zu reparieren sind. Reparatur vermeidet Abfall und schont die Ressourcen unseres Planeten.","body-s1-p2":"Mit TabiCat k\u00f6nnen Sie sich an unserer Untersuchung beteiligen. Wir haben Informationen zu \u00fcber 900 defekten Ger\u00e4ten gesammelt und brauchen Ihre Hilfe, um diese zu kategorisieren.","body-s2-header":"Was muss ich tun?","body-s2-p1":"Lesen Sie einfach die Informationen \u00fcber das defekte Ger\u00e4t und w\u00e4hlen Sie die Art des beschriebenen Fehlers aus der Liste darunter aus. Wenn Sie sich nicht sicher sind, w\u00e4hlen Sie unten einfach \"Ich wei\u00df nicht\". Sobald Sie eine Option ausgew\u00e4hlt haben, zeigen wir Ihnen ein anderes Ger\u00e4t. Je mehr Ger\u00e4tefehler Sie kategorisieren k\u00f6nnen, desto mehr lernen wir! TabiCat zeigt jedes Ger\u00e4t drei Personen, die helfen, die richtige Kategorie zu best\u00e4tigen.","body-s3-header":"Woher bekommt TabiCat Daten \u00fcber defekte Ger\u00e4te?","body-s3-p1":"TabiCat verwendet Informationen von der Open Repair Alliance<\/a>, die Daten \u00fcber kaputte Ger\u00e4te sammelt, die echte Menschen auf der ganzen Welt bei Reparaturveranstaltungen wie Repair Caf\u00e9s und Restart Partys zu reparieren versucht haben.","body-s4-header":"Noch Fragen?","body-s4-p1":"Erfahren Sie mehr, stellen Sie Fragen und geben Sie uns Ihr Feedback, in der TabiCat-Diskussion<\/a>.","title":"Danke, dass Sie TabiCat ausprobiert haben"},"status":{"brand":"Marke","items_0_opinions":"mit 0 Meinungen","items_1_opinion":"mit 1 Meinung","items_2_opinions":"mit 2 Meinungen","items_3_opinions":"mit 3 Meinungen","items_majority_opinions":"Artikel mit Mehrheitsmeinungen","items_opinions":"Artikel \/ meinungen","items_split_opinions":"Artikel mit geteilten Meinungen","items_with_majority_opinions ":"Artikel mit mehrheitsmeinungen","items_with_split_opinions":"Artikel mit geteilten meinungen","number_of_records":"Anzahl der Eintr\u00e4ge","opinions":"Meinungen","problem":"Problem","progress":"vollst\u00e4ndig","status":"Status","task_completed":"Du hast alle Eintr\u00e4ge gesehen, danke","total":"Gesamt","winning_opinion":"Gewinnende meinung","with_0_opinions":"mit 0 meinungen","with_1_opinion":"mit 1 meinung","with_2_opinions":"mit 2 meinungen","with_3_opinions":"mit 3 meinungen"},"survey":{"a1":"Starke Ablehnung","a2":"Ablehnung","a3":"Neutral","a4":"Zustimmung","a5":"Starke Zustimmung","footer":"Wenn Sie eine der beiden Tasten dr\u00fccken, gelangen Sie zur\u00fcck zu TabiCat","header1":"Vielen Dank, dass Sie uns geholfen haben, herauszufinden, warum Tablets kaputt gehen.","header2":"Wir planen bereits weitere zuk\u00fcnftige Quests wie diese. Um die n\u00e4chsten noch besser zu machen, haben wir ein paar kurze Fragen f\u00fcr Sie.","invalid":"Bitte w\u00e4hlen Sie aus jeder der Fragen","q1":"TabiCat hat mein Interesse am Reparieren gesteigert","q2":"TabiCat hat mich dazu gebracht, mehr \u00fcber Elektroschrott nachzudenken","q3":"TabiCat hat mein Denken \u00fcber den Kauf von Elektronik ver\u00e4ndert","q4":"TabiCat hat meine Ansicht \u00fcber die Wichtigkeit von Reparaturen ver\u00e4ndert","send":"Senden","skip":"\u00fcberspringen"}},"de.validation":{"accepted":"The :attribute must be accepted.","active_url":"The :attribute is not a valid URL.","after":"The :attribute must be a date after :date.","after_or_equal":"The :attribute must be a date after or equal to :date.","alpha":"The :attribute may only contain letters.","alpha_dash":"The :attribute may only contain letters, numbers, and dashes.","alpha_num":"The :attribute may only contain letters and numbers.","array":"The :attribute must be an array.","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":"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.","custom":{"attribute-name":{"rule-name":"custom-message"}},"date":"The :attribute is not a valid date.","date_format":"The :attribute does not match the format :format.","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.","email":"The :attribute must be a valid email address.","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 :value kilobytes.","numeric":"The :attribute must be greater than or equal :value.","string":"The :attribute must be greater than or equal :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.","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 :value kilobytes.","numeric":"The :attribute must be less than or equal :value.","string":"The :attribute must be less than or equal :value characters."},"max":{"array":"The :attribute may not have more than :max items.","file":"The :attribute may not be greater than :max kilobytes.","numeric":"The :attribute may not be greater than :max.","string":"The :attribute may not be greater than :max characters."},"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."},"not_in":"The selected :attribute is invalid.","not_regex":"The :attribute format is invalid.","numeric":"The :attribute must be a number.","present":"The :attribute field must be present.","regex":"The :attribute format is invalid.","required":"The :attribute field is required.","required_if":"The :attribute field is required when :other is :value.","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 is 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."},"string":"The :attribute must be a string.","timezone":"The :attribute must be a valid zone.","unique":"The :attribute has already been taken.","uploaded":"The :attribute failed to upload.","url":"The :attribute format is invalid."},"de.visualisation":{"message_consume_high":"Visualisation of equivalent number of kilometres driven.","message_consume_low":"Visualisation of equivalent number of hours spent watching TV.","message_manufacture_high":"Visualisation of equivalent number of cars manufactured.","message_manufacture_low":"Visualisation of equivalent number of sofas manufactured."},"en.admin":{"brand":"Brand","brand-name":"Brand name","brand_modal_title":"Add new brand","categories":"Categories","category_cluster":"Category Cluster","category_name":"Category name","co2_footprint":"CO2<\/sub> Footprint (kg)","create-new-brand":"Create new brand","create-new-category":"Create new category","create-new-skill":"Create new skill","create-new-tag":"Create new tag","delete-skill":"Delete skill","delete-tag":"Delete tag","description":"Description","description_optional":"Description (optional)","edit-brand":"Edit brand","edit-brand-content":"","edit-category":"Edit category","edit-category-content":"","edit-skill":"Edit skill","edit-skill-content":"","group-tags":"Group tags","name":"Name","reliability":"Reliability","reliability-1":"Very poor","reliability-2":"Poor","reliability-3":"Fair","reliability-4":"Good","reliability-5":"Very good","reliability-6":"N\/A","save-brand":"Save brand","save-category":"Save category","save-skill":"Save skill","save-tag":"Save tag","skill_name":"Skill name","skills":"Skills","skills_modal_title":"Add new skill","tag-name":"Tag name","tags_modal_title":"Add new tag","weight":"Weight (kg)"},"en.auth":{"assigned_groups":"Assigned to groups","change_password":"Change password","change_password_text":"Keep your account safe and regularly change your password.","create_account":"Create an account","current_password":"Current password","delete_account":"Delete account","delete_account_text":"I understand that deleting my account will remove all of my personal data and\nthis is a permanent action.","email_address":"Email address","email_address_validation":"An account with this email address already exists. Have you tried logging in?","failed":"Either this email address isn't registered on the system or the password is incorrect.","forgot_password":"Forgot password","forgotten_pw":"Forgotten your password?","forgotten_pw_text":"It happens to all of us. Simply enter your email to receive a password reset message.","login":"Login","login_before_using_shareable_link":"To complete your invitation please create an account below, or if you already have an account login here<\/a>.","new_password":"New password","new_repeat_password":"Repeat new password","password":"Password","profile_admin":"Admin only","profile_admin_text":"Here admins have the ability to change a user's role or their associated groups","repeat_password":"Repeat password","repeat_password_validation":"Passwords do not match or are fewer than six characters","reset":"Reset","reset_password":"Reset password","save_preferences":"Save preferences","save_user":"Save user","set_preferences":"Click here to set your email preferences for our discussion platform","sign_in":"I remembered. Let me sign in","throttle":"Too many login attempts. Please try again in :seconds seconds.","user_role":"User role"},"en.battcatora":{"about":"About","branding":{"powered_by":"Powered by data from:"},"info":{"body-s1-header":"What is BattCat?","body-s1-p1":"We want to understand how batteries can cause devices fail so that we can tell policymakers how future models can be made easier to repair. Repair reduces waste and lessens the strain on our planet\u2019s resources.","body-s1-p2":"With BattCat, you can join our investigation. We\u2019ve collected information on over 1,000 broken devices and we need your help to categorise them.","body-s2-header":"What do do I need to do?","body-s2-p1":"Simply read the information about the broken device and select the type of fault described from the list underneath. If you\u2019re not sure, just select \u2018I don\u2019t know\u2019 at the bottom. Once you\u2019ve selected an option, we\u2019ll show you another device. The more device faults you can categorise, the more we learn!","body-s3-header":"Where does BattCat get data about broken devices?","body-s3-p1":"BattCat uses information from the Open Repair Alliance<\/a>, which collects data about broken devices that real people around the world have tried to fix at community events, such as Repair Caf\u00e9s and Restart Parties.","body-s4-header":"More questions?","body-s4-p1":"Find out more, and give us your feedback, in the BattCat discussion<\/a>.","title":"Thank you for trying BattCat"},"status":{"brand":"Brand","items_0_opinions":"with 0 opinions","items_1_opinion":"with 1 opinion","items_2_opinions":"with 2 opinions","items_3_opinions":"with 3 opinions","items_majority_opinions":"Items with majority opinions","items_opinions":"Items \/ opinions","items_split_opinions":"Items with split opinions","number_of_records":"Number of records","opinions":"opinions","problem":"Problem","progress":"complete","status":"Status","task_completed":"You've seen them all, thanks","total":"Total","winning_opinion":"Winning opinion"},"survey":{"a1":"Strongly disagree","a2":"Disagree","a3":"Neutral","a4":"Agree","a5":"Strongly agree","footer":"Pressing either button will take you back to BattCat","header1":"Thank you!","header2":"We are already planning future quests, just like this one. To make the next one even better, we have some quick questions for you.","invalid":"Please answer all of the questions","q1":"BattCat has increased my interest in repairing","q2":"BattCat has made me think more about electronic waste","q3":"BattCat has changed how I think about buying electronics","q4":"BattCat has changed my view of the importance of repair","send":"Send","skip":"Skip"}},"en.calendars":{"add_to_calendar":"Add to calendar","find_out_more":"Find out more","see_all_calendars":"See all my calendars"},"en.dashboard":{"add_data_add":"Add","add_data_heading":"Add Data","add_event":"Add","catch_up":"Catch up with your groups by clicking below.","devices_logged":"devices logged","discussion_header":"Meet the community","getting_started_header":"Getting started","getting_the_most":"Getting started","getting_the_most_bullet1":"Get fixing<\/strong>: follow your nearest community repair group<\/a> and brush up or share your skills with our repair wiki<\/a>.","getting_the_most_bullet2":"Get organising<\/strong>: learn how to run a repair event<\/a> and\/or ask the community for help on Talk<\/a>.","getting_the_most_bullet3":"Get chatting<\/strong>: catch up on the latest conversations<\/a> on our forum, Talk. Why not introduce yourself<\/a> too?","getting_the_most_bullet4":"Get analytical<\/strong>: see our impact in the Fixometer<\/a>. Or join a data quest<\/a> to power up our Right to Repair advocacy (no expertise required).","getting_the_most_intro":"Restarters.net is a free, open source platform for a global community of people making local repair events happen and campaigning for our Right to Repair.","groups_heading":"Groups","groups_near_you_follow_action":"Follow","groups_near_you_header":"Groups near you","groups_near_you_none_nearby":"There are currently no groups near you that have been added to Restarters.net.","groups_near_you_see_more":"See more groups","groups_near_you_set_location":"Set your town\/city<\/a> to help us find groups near you.","groups_near_you_start_a_group":"Would you like to start or add a group? Learn more<\/a>.","groups_near_you_text":"Follow a repair group to find out more about community repair in your area.","groups_near_you_your_location_is":"Your town\/city is currently set to :location.","interested_details":" Anyone with interest and some skills in organising can start a community repair group. Check out our event planning kit<\/a> or view our resources for schools<\/a>.<\/p> Once you're ready to start a group, simply create one on the Groups page<\/a>. And if you'd like some help, just ask over on the forum, Talk<\/a>.","interested_starting":"Want to start your own community repair group?","log_devices":"Log devices","networks_you_coordinate":"View the networks that you coordinate.","newly_added":"Newly added: :count group in your area!|Newly added: :count groups in your area!","no_groups":"There are no groups in your area, yet.<\/strong>',
+ 'read_less' => '
READ LESS',
+ 'calendar_google' => 'Google Agenda',
+ 'calendar_outlook' => 'Perspectives',
+ 'calendar_ical' => 'iCal',
+ 'calendar_yahoo' => 'Calendrier Yahoo',
+ 'confirm_delete' => 'Êtes-vous sûr de vouloir supprimer cet événement ?',
+ 'RSVP' => 'RSVP',
'form_error' => 'Veuillez vérifier que le formulaire ci-dessus ne contient pas d\'erreurs.',
'your_events' => 'Vos événements',
- 'validate_location' => 'La localisation doit être encodée sauf s\'il s\'agit d\'un événement en ligne',
- 'online' => 'En ligne',
+ 'validate_location' => 'Le lieu doit être présent, sauf si l\'événement est en ligne.',
'other_events' => 'Autres événements',
- 'duplicate_event' => 'Dupliquer événement',
+ 'online' => 'En ligne',
+ 'duplicate_event' => 'Duplication d\'événement',
'discourse_invite' => 'Nous vous avons ajouté à un fil de discussion pour cet événement.',
- 'field_venue_placeholder' => 'Entrer une adresse',
- 'field_venue_use_group' => 'Utiliser l\'adresse du Repair Café',
- 'search_country_placeholder' => 'Pays',
- 'search_end_placeholder' => 'De...',
- 'search_start_placeholder' => 'À...',
- 'search_title_placeholder' => 'Recherche un titre...',
- 'talk_thread' => 'Voir la conversation de l\'événement',
- 'invite_when_approved' => 'Vous pourrez inviter des bénévoles uniquement quand cet événement aura été approuvé.',
- 'address_error' => 'L\'adresse que vous avez encodé n\'a pas pu être trouvée. Veuillez essayer une adresse plus générale, et encodez les détails plus spécifiques dans la description de l\'événement.',
- 'before_submit_text_autoapproved' => 'Quand vous créez ou sauvez cet événement, il sera rendu public.',
- 'created_success_message_autoapproved' => 'Evénement créé! Il est maintenant public.',
- 'field_event_link' => 'Lien de l\'événement',
- 'field_event_link_helper' => 'Lien web optionnel',
- 'review_requested' => 'Merci - tous les participants ont reçu une notification.',
- 'review_requested_permissions' => 'Désolé - vous n\'avez pas les autorisations nécessaires pour cette action.',
- 'no_location' => 'Vous n\'avez pas actuellement de ville définie. Vous pouvez en définir une dans votre profil.',
- 'you_have_joined' => 'Vous avez rejoint :name',
- 'discourse_intro' => "Bonjour, il s’agit d’une conversation privée pour les personnes qui se sont portées volontaires pour l’événement :name organisé par :groupname le :start à :end.\r\n\r\nNous pouvons utiliser ce fil de discussion avant l’événement pour discuter de la logistique, et après pour discuter des réparations que nous avons effectuées.\r\n\r\n(Ceci est un message automatique.)",
- 'invite_invalid_emails' => 'Des emails non valides ont été saisis, donc aucune notification n\'a été envoyée - veuillez envoyer votre invitation à nouveau. Les emails non valides étaient : :emails',
- 'invite_success' => 'Les invitations sont envoyées!',
- 'invite_noemails' => 'Vous n\'avez pas saisi d\'emails!',
- 'invite_invalid' => 'Un problème est survenu - cette invitation n\'est pas valide ou a expiré.',
- 'invite_cancelled' => 'Vous ne participez plus à cet évènement.',
- 'image_delete_success' => 'Merci, l\'image a été supprimée',
+ 'field_venue_placeholder' => 'Entrez votre adresse',
+ 'field_venue_use_group' => 'Utiliser l\'emplacement du groupe',
+ 'talk_thread' => 'Voir la conversation sur l\'événement',
+ 'search_title_placeholder' => 'Titre de la recherche...',
+ 'search_country_placeholder' => 'Pays...',
+ 'search_start_placeholder' => 'De...',
+ 'search_end_placeholder' => 'Pour...',
+ 'invite_when_approved' => 'Vous ne pouvez inviter des volontaires que si l\'événement a été approuvé',
+ 'field_event_link_helper' => 'Lien web facultatif',
+ 'field_event_link' => 'Lien vers l\'événement',
+ 'address_error' => 'L\'adresse que vous avez indiquée n\'a pas été trouvée. Veuillez essayer une adresse plus générale et indiquer toute adresse plus spécifique dans la description de l\'événement.',
+ 'before_submit_text_autoapproved' => 'Lorsque vous créez ou enregistrez cet événement, il est rendu public.',
+ 'created_success_message_autoapproved' => 'Événement créé ! Il est maintenant public.',
+ 'no_location' => 'Vous n\'avez pas de ville actuellement. Vous pouvez en définir une dansvotre profil.',
+ 'review_requested' => 'Merci - tous les participants au programme Restarters ont reçu une notification',
+ 'review_requested_permissions' => 'Désolé - vous n\'avez pas les autorisations nécessaires pour cette action',
+ 'you_have_joined' => 'Vous avez rejoint:nom',
+ 'discourse_intro' => 'Il s\'agit d\'une discussion privée pour les bénévoles qui participent à l\'événement:nomorganisé par:nomdugroupe du :début au :fin.
+
+Nous pouvons utiliser ce fil de discussion avant l\'événement pour discuter de la logistique, et après pour discuter des réparations que nous avons effectuées.
+
+(Ceci est un message automatisé.)',
+ 'invite_invalid_emails' => 'Des courriels non valides ont été saisis, de sorte qu\'aucune notification n\'a été envoyée - veuillez renvoyer votre invitation. Les courriels non valides étaient les suivants : :emails',
+ 'invite_success' => 'Invitations envoyées !',
+ 'invite_noemails' => 'Vous n\'avez pas saisi d\'e-mail !',
+ 'invite_invalid' => 'Un problème s\'est produit - cette invitation n\'est pas valide ou a expiré',
+ 'invite_cancelled' => 'Vous ne participez plus à cet événement.',
+ 'image_delete_success' => 'Merci, l\'image a été supprimée.',
'image_delete_error' => 'Désolé, mais l\'image ne peut pas être supprimée.',
- 'delete_permission' => 'Vous n\'avez pas la permission de supprimer cet événement',
+ 'delete_permission' => 'Vous n\'êtes pas autorisé à supprimer cet événement.',
'delete_success' => 'L\'événement a été supprimé.',
- 'geocode_failed' => 'Lieu non trouvé. Si vous ne parvenez pas à trouver le lieu où se trouve votre événement, essayez d\'indiquer un lieu plus général (tel qu\'un village ou une ville) ou une adresse spécifique, plutôt qu\'un nom de bâtiment.',
- 'create_failed' => 'L\'événement n\'a pas pu être créé. Veuillez regarder les erreurs, les corriger, et essayer à nouveau.',
+ 'geocode_failed' => 'Lieu non trouvé. Si vous ne parvenez pas à trouver le lieu de votre événement, essayez d\'indiquer un lieu plus général (tel qu\'un village ou une ville) ou une adresse spécifique, plutôt qu\'un nom de bâtiment.',
+ 'create_failed' => 'L\'événement n\'a pas pu être créé. Veuillez examiner les erreurs signalées, les corriger et réessayer.',
'edit_failed' => 'L\'événement n\'a pas pu être édité.',
];
diff --git a/lang/instances/base/fr/general.php b/lang/instances/base/fr/general.php
index 12e8c8bda8..870941ddc0 100644
--- a/lang/instances/base/fr/general.php
+++ b/lang/instances/base/fr/general.php
@@ -1,40 +1,41 @@
'Rapports',
+ 'general' => 'Général',
+ 'menu_tools' => 'Outils communautaires',
+ 'menu_other' => 'Autres liens',
+ 'help_feedback_url' => 'https://talk.restarters.net/c/help',
+ 'faq_url' => 'https://therestartproject.org/faq',
+ 'restartproject_url' => 'https://therestartproject.org',
+ 'other_profile' => 'profil',
+ 'email_alerts_pref1' => 'Je souhaite recevoir la lettre d\'information mensuelle du projet \"Restart\"',
+ 'email_alerts_pref2' => 'Je souhaite recevoir des notifications par courrier électronique sur les événements ou les groupes organisés près de chez moi',
'login' => 'Connexion',
'profile' => 'Votre profil',
- 'other_profile' => 'profil',
- 'profile_content' => 'N\'hésitez pas à partager quelques informations sur vous‐même, afin de vous connecter avec d\'autres organisateurs et bénévoles réparateurs. Nous pourrons ainsi mieux connaître notre communauté.',
- 'logout' => 'Se déconnecter',
- 'new_group' => 'Créer un nouveau Repair Café',
- 'alert_uptodate' => 'Merci ! Vous êtes à jour',
- 'alert_uptodate_text' => 'Vous n\'avez rien à faire. Quand vous devrez, nous vous préviendrons.',
- 'general' => 'Général',
- 'reporting' => 'Rapports',
- 'signmeup' => 'Enregistrez‐moi!',
- 'introduction_message' => 'Nous sommes une communauté de bénévoles à travers le monde qui aident les gens à réparer leurs appareils électroniques lors d\'événements communautaires. Rejoignez‐nous !',
- 'your_name' => 'Prénom & Nom',
- 'your_name_validation' => 'Veuillez taper une adresse e-mail valide',
+ 'profile_content' => 'Merci de nous donner quelques informations sur vous, afin que vous puissiez entrer en contact avec d\'autres organisateurs et réparateurs, et que nous puissions mieux comprendre la communauté',
+ 'logout' => 'Déconnexion',
+ 'new_group' => 'Créer un nouveau groupe',
+ 'alert_uptodate' => 'Nous vous remercions Vous êtes à jour',
+ 'alert_uptodate_text' => 'Vous n\'avez rien à faire pour l\'instant. Lorsque vous le ferez, nous vous le ferons savoir.',
+ 'signmeup' => 'Inscrivez-moi !',
+ 'introduction_message' => 'Nous sommes une communauté mondiale de personnes qui aident les autres à réparer leurs appareils électroniques lors d\'événements communautaires. Rejoignez-nous !',
+ 'your_name' => 'Votre nom',
+ 'your_name_validation' => 'Veuillez saisir votre nom',
'repair_skills' => 'Compétences',
- 'repair_skills_content' => 'Ceci est facultatif mais nous aiderait à améliorer votre expérience. Quelles compétences souhaitez‐vous partager avec les autres ?',
+ 'repair_skills_content' => 'Ceci est facultatif mais nous aide à améliorer votre expérience - quelles sont les compétences que vous possédez et que vous aimeriez partager avec d\'autres ?',
'your_repair_skills' => 'Vos compétences',
'save_repair_skills' => 'Sauvegarder les compétences',
- 'email_alerts' => 'E-mails et alertes',
- 'email_alerts_text' => 'Veuillez choisir le type de mise à jour par courriel que vous aimeriez recevoir. Vous pouvez les changer à tout moment. Notre politique de confidentialité est disponible ici',
- 'email_alerts_pref1' => 'Je souhaite recevoir le bulletin mensuel The Restart Project',
- 'email_alerts_pref2' => 'Je souhaite recevoir des notifications par e-mail sur des événements ou des Repair Cafés proches de chez moi',
- 'menu_tools' => 'Outils pour la communauté',
- 'menu_discourse' => 'Forum',
+ 'email_alerts' => 'Emails et alertes',
+ 'email_alerts_text' => 'Veuillez choisir le type de mises à jour par courrier électronique que vous souhaitez recevoir. Vous pouvez les modifier à tout moment. Notre politique de confidentialité est disponibleici',
+ 'menu_discourse' => 'Parler',
'menu_wiki' => 'Wiki',
- 'menu_other' => 'Autres liens',
+ 'menu_repair_guides' => 'Guides de réparation',
'menu_help_feedback' => 'Aide et commentaires',
- 'menu_faq' => 'FAQs',
- 'therestartproject' => 'The Restart Project',
- 'help_feedback_url' => 'https://talk.restarters.net/c/help',
- 'faq_url' => 'https://therestartproject.org/faq',
- 'restartproject_url' => 'https://therestartproject.org',
+ 'menu_faq' => 'FAQ',
+ 'therestartproject' => 'Le projet Restart',
'calendar_feed_help_url' => '/t/fixometer-how-to-subscribe-to-a-calendar',
- 'menu_fixometer' => 'Fixometer',
- 'menu_events' => 'Événements',
- 'menu_groups' => 'Repair Cafés',
+ 'menu_fixometer' => 'Fixomètre',
+ 'menu_events' => 'Evénements',
+ 'menu_groups' => 'Groupes',
];
diff --git a/lang/instances/base/fr/group-audits.php b/lang/instances/base/fr/group-audits.php
index b6364ec879..38cb8c2f2e 100644
--- a/lang/instances/base/fr/group-audits.php
+++ b/lang/instances/base/fr/group-audits.php
@@ -1,32 +1,34 @@
'No changes have been made to this group!',
+ 'unavailable_audits' => 'Aucun changement n\'a été apporté à ce groupe !',
'created' => [
- 'metadata' => 'On :audit_created_at, :user_name created record :audit_url',
+ 'metadata' => 'Sur :audit_created_at, :user_name a créé l\'enregistrement:audit_url',
'modified' => [
- 'name' => 'Name set as ":new"',
- 'website' => 'Website set as ":new"',
- 'area' => 'Area set as ":new"',
- 'country' => 'Country set as ":new"',
- 'location' => 'Location set as ":new"',
- 'latitude' => 'Latitude set as ":new"',
- 'longitude' => 'Longitude set as ":new"',
- 'free_text' => 'Free Text set as ":new"',
- 'idgroups' => 'Group ID set as ":new"',
+ 'name' => 'Nomdéfini comme \":new\"',
+ 'website' => 'Site Webdéfini comme \":new\"',
+ 'area' => 'Zonedéfinie comme \":new\"',
+ 'country' => 'Paysdéfini comme \":new\"',
+ 'location' => 'Emplacementdéfini comme \":new\"',
+ 'latitude' => 'Latitudedéfinie comme \":new\"',
+ 'longitude' => 'Longitudedéfinie comme \":new\"',
+ 'free_text' => 'Texte libredéfini comme \":new\"',
+ 'idgroups' => 'ID du groupedéfini comme \":new\"',
+ 'wordpress_post_id' => 'Wordpress post IDdéfini comme \":new\"',
],
],
'updated' => [
- 'metadata' => 'On :audit_created_at, :user_name updated record :audit_url',
+ 'metadata' => 'Sur :audit_created_at, :user_name a mis à jour l\'enregistrement:audit_url',
'modified' => [
- 'name' => 'Name was modified from ":old" to ":new"',
- 'website' => 'Website was modified from ":old" to ":new"',
- 'area' => 'Area was modified from ":old" to ":new"',
- 'country' => 'Country was modified from ":old" to ":new"',
- 'location' => 'Location was modified from ":old" to ":new"',
- 'latitude' => 'Latitude was modified from ":old" to ":new"',
- 'longitude' => 'Longitude was modified from ":old" to ":new"',
- 'free_text' => 'Free Text was modified from ":old" to ":new"',
+ 'name' => 'Le noma été modifié de \":old\" à \":new\"',
+ 'website' => 'Le site Weba été modifié de \":old\" à \":new\"',
+ 'area' => 'La zonea été modifiée de \":old\" à \":new\"',
+ 'country' => 'Le paysa été modifié de \":old\" à \":new\"',
+ 'location' => 'L\'emplacementa été modifié de \":old\" à \":new\"',
+ 'latitude' => 'La latitudea été modifiée de \":old\" à \":new\"',
+ 'longitude' => 'La longitudea été modifiée de \":old\" à \":new\"',
+ 'free_text' => 'Texte librea été modifié de \":old\" à \":new\"',
+ 'wordpress_post_id' => 'Le message Wordpress IDa été modifié de \":old\" à \":new\"',
],
],
];
diff --git a/lang/instances/base/fr/group-tags.php b/lang/instances/base/fr/group-tags.php
index 2811c5243a..68b86a8268 100644
--- a/lang/instances/base/fr/group-tags.php
+++ b/lang/instances/base/fr/group-tags.php
@@ -1,9 +1,9 @@
'Le code du Repair Café créé avec succès!',
- 'update_success' => 'Le code du Repair Café a été mis à jour avec succès!',
- 'delete_success' => 'Le code du Repair Café supprimée!',
- 'title' => 'Codes du Repair Café',
- 'edit_tag' => 'Modifier le code du Repair Café',
-];
\ No newline at end of file
+ 'create_success' => 'L\'étiquette de groupe a été créée avec succès !',
+ 'update_success' => 'Mise à jour réussie de l\'étiquette du groupe !',
+ 'delete_success' => 'Étiquette de groupe supprimée !',
+ 'title' => 'Tags du groupe',
+ 'edit_tag' => 'Modifier l\'étiquette du groupe',
+];
diff --git a/lang/instances/base/fr/groups.php b/lang/instances/base/fr/groups.php
index 7916b9d9de..7c0b48a503 100644
--- a/lang/instances/base/fr/groups.php
+++ b/lang/instances/base/fr/groups.php
@@ -1,186 +1,189 @@
'Repair Café',
- 'groups' => 'Repair Cafés',
- 'all_groups' => 'Tous les Repair Cafés',
- 'search_name' => 'Chercher nom',
- 'add_groups' => 'Ajouter un nouveau Repair Café',
- 'add_groups_content' => 'Dites-en nous plus sur votre repair café, afin que nous puissions vous créer une page et vous aider à trouver de potentiels nouveaux bénévoles et participants',
- 'create_groups' => 'Créer nouveau Repair Café',
- 'create_group' => 'Créer un nouveau Repair Café',
- 'groups_title1' => 'Vos Repair Cafés',
- 'groups_title2' => 'Repair Cafés proches de chez vous',
+ 'message_example_text' => '
LIRE MOINS',
- 'remove_volunteer' => 'Retirer bénévole',
+ 'upcoming_active' => 'Prochainement et activement',
+ 'past' => 'Passé',
+ 'no_upcoming_events' => 'Il n\'y a actuellement aucun événement à venir.',
+ 'no_past_events' => 'Il n\'y a actuellement aucun événement passé pour ce groupe',
+ 'device_breakdown' => 'Ventilation des appareils',
+ 'total_devices' => 'Total des éléments travaillés',
+ 'most_repaired_devices' => 'Appareils les plus réparés',
'website' => 'Site web',
- 'calendar_copy_description' => 'Ajouter tous les futurs événements :group à votre calendrier Google/Outlook/Yahoo/Apple avec le lien suivant:',
- 'calendar_copy_title' => 'Accéder à tous les événements dans votre calendrier',
- 'co2_emissions_prevented' => 'Emissions de CO2 évitées',
- 'end_of_life_items' => 'Appareils en fin de vie',
- 'fixed_items' => 'Appareils réparés',
- 'participants_attended' => 'Personnes ayant participé',
- 'repairable_items' => 'Appareils réparables',
- 'volunteers_attended' => 'Bénévoles ayant participé',
- 'volunteers_confirmed' => 'Bénévoles confirmés',
- 'volunteers_invited' => 'Bénévoles invités',
+ 'about_none' => 'Il n\'y a pas encore de description pour ce groupe.',
+ 'read_less' => '
READ LESS',
+ 'group_facts' => 'Réalisations du groupe',
+ 'events' => 'événement|événements',
+ 'no_volunteers' => 'Il n\'y a pas de volontaires dans ce groupe',
+ 'remove_volunteer' => 'Supprimer le bénévolat',
+ 'remove_host_role' => 'Supprimer le rôle d\'hôte',
+ 'make_host' => 'Faire l\'hôte',
+ 'not_counting' => 'L\'impact environnemental de ce groupe n\'est pas pris en compte|L\'impact environnemental de ce groupe n\'est pas pris en compte',
+ 'calendar_copy_title' => 'Accédez à tous les événements du groupe dans votre calendrier personnel',
+ 'calendar_copy_description' => 'Ajoutez tous les événements à venir pour :group à votre calendrier Google/Outlook/Yahoo/Apple avec le lien ci-dessous :',
+ 'volunteers_invited' => 'Volontaires invités',
+ 'volunteers_confirmed' => 'Volontaires confirmés',
+ 'participants_attended' => 'Les participants ont assisté à',
+ 'volunteers_attended' => 'Bénévoles présents',
+ 'co2_emissions_prevented' => 'Émissions de CO2 évitées',
+ 'fixed_items' => 'Postes fixes',
+ 'repairable_items' => 'Articles réparables',
+ 'end_of_life_items' => 'Articles en fin de vie',
+ 'no_unpowered_stats' => 'Pour l\'instant, ces statistiques ne sont affichées que pour les objets motorisés. Nous espérons inclure bientôt les objets non motorisés.',
'all_groups_mobile' => 'Tous',
- 'create_groups_mobile2' => 'Ajouter nouveau',
- 'groups_title1_mobile' => 'Le vôtre',
+ 'create_groups_mobile2' => 'Ajouter un nouveau',
+ 'groups_title1_mobile' => 'Les vôtres',
'groups_title2_mobile' => 'Le plus proche',
- 'group_count' => 'Il y a :count Repair Café. Il y a :count Repair Cafés.',
- 'hide_filters' => 'Cacher les filtres',
'join_group_button_mobile' => 'Suivre',
- 'leave_group_button' => 'Ne plus suivre ce Repair Café',
- 'leave_group_button_mobile' => 'Ne plus suivre',
- 'leave_group_confirm' => 'Veuillez confirmer que vous ne voulez plus suivre ce Repair Café',
- 'now_following' => 'Vous suivez maintenant :name!',
- 'now_unfollowed' => 'Vous ne suivez maintenant plus :name!',
- 'no_groups_mine' => 'Si vous ne pouvez encore en voir aucun ici, pourquoi ne pas suivre le Repair Café le plus proche pour être informé de ses futurs événements?',
- 'no_groups_nearest_no_location' => '
-
',
+ 'whatis' => 'Bienvenue dans la communauté Restarters',
'more' => 'En savoir plus',
- 'stat_1' => 'Appareils réparés',
- 'stat_2' => 'Émissions de CO2 évitées',
- 'stat_3' => 'Déchets
+
',
+
évités',
- 'stat_4' => 'Événements
réalisés',
- 'login_title' => 'Connexion',
+ 'stat_1' => 'Dispositifs fixés',
+ 'stat_2' => 'CO2émissions évitées',
+ 'stat_3' => 'Déchets évités',
+ 'stat_4' => 'Événements organisés',
+ 'login_title' => 'S\'inscrire',
'join_title' => 'Rejoindre Restarters',
'join_title_short' => 'Rejoindre',
];
diff --git a/lang/instances/base/fr/networks.php b/lang/instances/base/fr/networks.php
index d99bbade36..c71d0b186d 100644
--- a/lang/instances/base/fr/networks.php
+++ b/lang/instances/base/fr/networks.php
@@ -1,42 +1,42 @@
[
- 'button_save' => 'Sauver les changements',
- 'label_logo' => 'Logo du réseau',
- 'add_new_field' => 'Ajouter un nouveau champ',
- 'new_field_name' => 'Nouveau nom de champ',
- 'add_field' => 'Ajouter le champ',
- ],
+ 'networks' => 'Réseaux',
+ 'network' => 'Réseau',
'general' => [
- 'network' => 'Réseau',
'networks' => 'Réseaux',
- 'particular_network' => 'Réseau :networkName',
- 'groups' => 'Repair Cafés',
- 'about' => 'Plus d\'informations',
- 'count' => 'Il y a actuellement :count Repair Cafés dans le réseau :name. Voir ces Repair Cafés.',
- 'actions' => 'Gestion du Réseaux',
- 'coordinators' => 'Coordinateurs du réseau',
+ 'network' => 'Réseau',
+ 'particular_network' => ':networkName network',
+ 'groups' => 'Groupes',
+ 'about' => 'A propos de',
+ 'count' => 'Il y a actuellement des groupes :count dans le réseau :name.Voir ces groupes.',
+ 'actions' => 'Actions du réseau',
+ 'coordinators' => 'Coordinateurs de réseau',
],
'index' => [
- 'all_networks' => 'Tous les réseaux',
- 'all_networks_explainer' => 'Tous les réseaux du système (seulement administrateurs)',
- 'all_networks_no_networks' => 'Il n\'y a pas de réseaux dans le système',
'your_networks' => 'Vos réseaux',
- 'your_networks_explainer' => 'Voici les réseaux dont vous êtes coordinateur',
- 'your_networks_no_networks' => 'Vous n\'êtes coordinateur d\'aucun réseau',
+ 'your_networks_explainer' => 'Il s\'agit des réseaux pour lesquels vous êtes coordinateur.',
+ 'your_networks_no_networks' => 'Vous n\'êtes pas coordinateur de réseaux.',
+ 'all_networks' => 'Tous les réseaux',
+ 'all_networks_explainer' => 'Tous les réseaux du système (réservé aux administrateurs).',
+ 'all_networks_no_networks' => 'Il n\'y a pas de réseaux dans le système.',
'description' => 'Description',
],
- 'network' => 'Réseau',
- 'networks' => 'Réseaux',
'show' => [
- 'about_modal_header' => 'A propos :name',
- 'add_groups_menuitem' => 'Ajouter des repair cafés',
- 'add_groups_modal_header' => 'Ajouter des repair cafés à :name',
+ 'about_modal_header' => 'À propos de :name',
+ 'add_groups_menuitem' => 'Ajouter des groupes',
+ 'add_groups_modal_header' => 'Ajouter des groupes à :name',
+ 'add_groups_select_label' => 'Choisir les groupes à ajouter',
'add_groups_save_button' => 'Ajouter',
- 'add_groups_select_label' => 'Choisissez des repair cafés à ajouter',
- 'add_groups_success' => ':number repair café(s) ajouté(s)',
- 'add_groups_warning_none_selected' => 'Pas de repair café(s) sélectionné(s)',
- 'view_groups_menuitem' => 'Voir les repair cafés',
+ 'add_groups_warning_none_selected' => 'Aucun groupe n\'a été sélectionné.',
+ 'add_groups_success' => ':nombre de groupe(s) ajouté(s).',
+ 'view_groups_menuitem' => 'Voir les groupes',
+ ],
+ 'edit' => [
+ 'label_logo' => 'Logo du réseau',
+ 'button_save' => 'Enregistrer les modifications',
+ 'add_new_field' => 'Ajouter un nouveau champ',
+ 'new_field_name' => 'Nouveau nom de champ',
+ 'add_field' => 'Ajouter un champ',
],
];
diff --git a/lang/instances/base/fr/notifications.php b/lang/instances/base/fr/notifications.php
index a43b9a4b2a..07161514b1 100644
--- a/lang/instances/base/fr/notifications.php
+++ b/lang/instances/base/fr/notifications.php
@@ -1,102 +1,102 @@
'Bonjour !',
- 'email_footer' => 'Si vous avez des questions ou des problèmes, veuillez contacter community@therestartproject.org.',
- 'new_event_photos_subject' => 'Nouvelles photos de l\'événement téléchargées sur l\'événement : :event',
- 'email_preferences' => 'Si vous souhaitez ne plus recevoir ces courriels, veuillez consulter vos préférences sur votre compte.',
- 'marked_as_read' => 'Marqué comme lu',
- 'mark_all_as_read' => 'Marquer toutes les notifications comme lues',
- 'mark_as_read' => 'Marquer comme lu',
- 'notifications' => 'Notifications',
- 'view_event' => 'Voir l\'événement',
- 'view_group' => 'Voir le Repair Café',
- 'view_profile' => 'Voir profil',
- 'view_all' => 'Voir toutes les notifications',
- 'event_confirmed_title' => 'Événement confirmé',
- 'event_confirmed_subject' => 'Événement confirmé :time',
- 'event_confirmed_line1' => 'Votre événement :name a été confirmé par un administrateur. Il est désormais accessible au public sur :url.',
- 'event_devices_title' => 'Contribuer aux dispositifs',
- 'event_devices_subject' => 'Contribuer aux dispositifs',
- 'event_devices_line1' => 'Merci d\'avoir organisé l\'événement : aidez-nous à préciser quels appareils ont été amenés pour l\'événement et l\'état de leur réparation. Cela nous aidera à améliorer la qualité de nos données.',
- 'event_devices_action' => 'Contribuer aux données',
- 'event_repairs_title' => 'Aidez-nous à enregistrer les informations relatives à la réparation de :name',
- 'event_repairs_subject' => 'Aidez-nous à enregistrer les informations relatives à la réparation de :name',
- 'event_repairs_line1' => 'Merci d\'avoir réparé à l\'événement \':name\'. L\'hôte a mis en ligne des photos des commentaires laissés par les participants et des données sur les réparations. Veuillez nous aider à améliorer les détails des réparations que vous avez effectuées en ajoutant toute information utile ou toute photo dont vous disposez. Tous les détails supplémentaires que vous pouvez ajouter aideront les futures tentatives de réparation.',
- 'event_repairs_action' => 'Contribuer aux informations sur les réparations',
- 'group_confirmed_subject' => 'Repair Café confirmé',
- 'group_confirmed_line1' => 'Votre Repair Café \':name\' a été confirmé par un administrateur.',
- 'join_event_title' => 'Vous avez été invité à participer à un événement :',
- 'join_event_subject' => 'Vous avez été invité à un événement :groupname à venir.',
- 'join_event_line1' => ':inviter vous a invité(e) à rejoindre le :groupname lors d\'un prochain événement de réparation.',
- 'join_event_date' => 'Date :',
- 'join_event_time' => 'heure:',
- 'join_event_location' => 'Emplacement :',
- 'join_event_ignore' => 'Si vous pensez que cette invitation ne vous est pas destinée, veuillez ne pas tenir compte de cet e-mail.',
- 'join_event_rsvp_now' => 'RSVP maintenant',
- 'join_event_view' => 'Voir l\'événement',
- 'join_group_title' => 'Invitation de :name à suivre :group',
- 'join_group_intro' => 'Vous avez reçu cet e-mail car vous avez été invité par :name à suivre leRepair Café :group sur restarters.net.',
- 'join_group_action' => 'Cliquez pour suivre le Repair Café',
- 'join_group_ignore' => 'Si vous pensez que cette invitation ne vous est pas destinée, veuillez ne pas tenir compte de cet e-mail.',
- 'join_group_attached' => ':name joint ce message avec l\'invitation :',
- 'join_group_more' => 'Vous pouvez en savoir plus sur restarters.net ici.',
- 'new_member_subject' => 'Nouveau membre du Repair Café suivi :name',
- 'new_member_title' => 'Un nouveau volontaire, :name, a suivi',
- 'new_member_line1' => 'Un nouveau volontaire, :user, a suivi votre Repair Café \':group\'.',
- 'new_member_action' => 'Aller au Repair Café',
- 'new_group_subject' => 'Il y a un nouveau Repair Café près de chez vous.',
- 'new_group_title' => 'Un nouveau Repair Café près de chez vous :',
- 'new_group_line1' => 'Un nouveau Repair Café près de chez vous, :name, vient de devenir actif sur Restarters.net.',
- 'new_group_action' => 'En savoir plus sur :name',
- 'new_event_subject' => 'Nouvel événement pour :name le :time',
- 'new_event_title' => 'Un nouvel événement a été créé pour le Repair Café :name :',
- 'new_event_line1' => 'Un nouvel événement a été ajouté à votre Repair Café : \':name\'.',
- 'password_reset_subject' => 'Réinitialiser le mot de passe',
- 'password_reset_line1' => 'Vous recevez cet e-mail car nous avons reçu une demande de réinitialisation du mot de passe de votre compte.',
- 'password_reset_action' => 'Réinitialiser le mot de passe',
- 'password_reset_noaction' => 'Si vous n\'avez pas demandé de réinitialisation du mot de passe, aucune action supplémentaire n\'est requise.',
- 'rsvp_subject' => ':name a répondu à l\'invitation à votre événement',
- 'rsvp_title' => ':name a répondu à l\'invitation à votre événement :',
- 'rsvp_line1' => 'Un volontaire, :user, s\'est inscrit à l\'événement \':event\'.',
- 'rsvp_action' => 'Voir votre événement',
- 'abnormal_devices_subject' => 'Nombre anormal d\'appareils divers',
- 'abnormal_devices_title' => 'L\'événement comporte un nombre anormal d\'appareils divers :',
- 'abnormal_devices_line1' => 'L\'événement \':nom\' a un nombre anormal de périphériques divers. Veuillez vérifier l\'événement et résoudre ce problème.',
- 'moderation_event_subject' => 'Nouvel événement pour \':name\'.',
- 'moderation_event_line1' => 'Un nouvel événement a été créé :name',
- 'moderation_event_line2' => 'Cet événement peut nécessiter votre modération si votre réseau a modéré des événements et qu\'il n\'a pas encore été modéré par un autre administrateur.',
- 'moderation_event_photos_subject' => 'Nouvelles photos d\'événement téléchargées sur l\'événement :name',
- 'moderation_event_photos_line1' => 'Des photos ont été téléchargées pour un événement: \':name\'.',
- 'moderation_event_photos_line2' => 'Ces photos peuvent nécessiter votre modération, si elles n\'ont pas encore été modérées par un autre administrateur.',
- 'moderation_group_subject' => 'Nouveau Repair Café créé :name',
- 'moderation_group_title' => 'Nouveau Repair Café créé:',
- 'moderation_group_line1' => 'Un nouveau Repair Café a été créé: \':name\'.',
- 'moderation_group_line2' => 'Ce Repair Café peut avoir besoin de votre modération s\'il n\'a pas encore été modéré par un autre administrateur.',
- 'new_user_subject' => 'Enregistrement d\'un nouvel utilisateur',
- 'new_user_title' => 'New user has joined the community:',
- 'new_user_line1' => 'Un nouvel utilisateur a rejoint la communauté Restarters.',
- 'user_deleted_subject' => 'Utilisateur Supprimé',
- 'user_deleted_title' => 'User has deleted their account:',
- 'user_deleted_line1' => 'L\'utilisateur ":name" a supprimé son compte Restarters',
- 'wordpress_create_event_failure_subject' => 'Échec de l\'événement WordPress',
- 'wordpress_create_event_failure_title' => 'Échec de la création d\'un nouvel article WordPress:',
- 'wordpress_create_event_failure_line1' => 'L\'événement \':name\' n\'a pas pu créer de publication WordPress lors de l\'approbation de l\'administrateur.',
- 'wordpress_create_group_failure_subject' => 'Échec du Repair Café WordPress',
- 'wordpress_create_group_failure_title' => 'Le Repair Café n\'a pas réussi à créer une nouvelle publication WordPress:',
- 'wordpress_create_group_failure_line1' => 'Erreur lors de la création de la page de Repair Café pour \':name\' sur WordPress.',
- 'wordpress_edit_event_failure_subject' => 'Échec de l\'événement WordPress',
- 'wordpress_edit_event_failure_title' => 'Échec de l\'enregistrement de l\'événement dans un article WordPress existant:',
- 'wordpress_edit_event_failure_line1' => 'L\'événement \':name\' n\'a pas pu être publié sur WordPress lors d\'une modification de l\'événement.',
- 'wordpress_edit_group_failure_subject' => 'Échec du Repair Café WordPress',
- 'wordpress_edit_group_failure_title' => 'Le Repair Café n\'a pas pu enregistrer dans un article WordPress existant:',
- 'wordpress_edit_group_failure_line1' => 'Le Repair Café \':name\' n\'a pas pu publier sur WordPress lors d\'une modification du Repair Café.',
- 'wordpress_delete_event_failed_subject' => 'Échec de la suppression de l\'événement de WordPress:name',
- 'wordpress_delete_event_failed_title' => "Échec de la suppression de l'événement :name par :group de WordPress",
- 'wordpress_delete_event_failed_line1' => "La suppression de l'événement a échoué pour :name par :group.",
- 'wordpress_delete_event_failed_line2' => 'Veuillez rechercher et supprimer cet événement manuellement de WordPress.',
- 'admin_no_devices_subject' => 'Événement récent sans appareil ajouté',
- 'admin_no_devices_title' => 'Modération nécessaire pour un événement sans appareil:',
- 'admin_no_devices_line1' => 'Votre modération est nécessaire pour \':name\'.',
- 'admin_no_devices_line2' => 'Aucun appareil n\'a été ajouté pour cet événement.',
+ 'notifications' => 'Notifications',
+ 'view_all' => 'Voir toutes les notifications',
+ 'mark_as_read' => 'Marquer comme lu',
+ 'marked_as_read' => 'Marqué comme lu',
+ 'mark_all_as_read' => 'Marquer toutes les notifications comme lues',
+ 'greeting' => 'Bonjour !',
+ 'view_event' => 'Voir l\'événement',
+ 'view_group' => 'Voir le groupe',
+ 'view_profile' => 'Voir le profil',
+ 'email_footer' => 'Si vous avez des questions ou des problèmes, veuillez contactercommunity@therestartproject.org',
+ 'new_event_photos_subject' => 'Nouvelles photos de l\'événement téléchargées dans l\'événement : :event',
+ 'email_preferences' => 'Si vous souhaitez ne plus recevoir ces courriels, veuillez consultervos préférencessur votre compte.',
+ 'event_confirmed_title' => 'Événement confirmé',
+ 'event_confirmed_subject' => 'Événement confirmé :heure',
+ 'event_confirmed_line1' => 'Votre événement :name a été confirmé par un administrateur. Il est maintenant accessible au public sur:url.',
+ 'event_devices_title' => 'Contribuer aux dispositifs',
+ 'event_devices_subject' => 'Contribuer aux dispositifs',
+ 'event_devices_line1' => 'Merci d\'avoir accueilli l\'événement :événement, veuillez nous aider à préciser quels appareils ont été achetés pour l\'événement et l\'état de leur réparation. Cela nous aidera à améliorer la qualité de nos données.',
+ 'event_devices_action' => 'Contribuer aux données',
+ 'event_repairs_title' => 'Aidez-nous à enregistrer les informations de réparation pour :name',
+ 'event_repairs_subject' => 'Aidez-nous à enregistrer les informations de réparation pour :name',
+ 'event_repairs_line1' => 'Merci d\'avoir participé à l\'événement \':name\'. L\'organisateur a publié des photos des commentaires laissés par les participants et des données sur les réparations. Aidez-nous à améliorer les détails des réparations que vous avez effectuées en ajoutant des informations utiles ou des photos. Tous les détails supplémentaires que vous pouvez ajouter aideront les futures tentatives de réparation.',
+ 'event_repairs_action' => 'Apporter des informations sur les réparations',
+ 'group_confirmed_subject' => 'Groupe confirmé',
+ 'group_confirmed_line1' => 'Votre groupe \':nom\' a été confirmé par un administrateur.',
+ 'join_event_title' => 'Vous avez été invité à participer à un événement :',
+ 'join_event_subject' => 'Vous avez été invité à un prochain événement :groupname',
+ 'join_event_line1' => ':invitant vous a invité à rejoindre :groupname lors d\'un prochain événement de réparation.',
+ 'join_event_date' => 'Date :',
+ 'join_event_time' => 'Le temps :',
+ 'join_event_location' => 'Localisation :',
+ 'join_event_ignore' => 'Si vous pensez que cette invitation ne vous est pas destinée, veuillez ne pas tenir compte de cet e-mail.',
+ 'join_event_rsvp_now' => 'RSVP maintenant',
+ 'join_event_view' => 'Voir l\'événement',
+ 'join_group_title' => 'Invitation de :name à suivre :group',
+ 'join_group_intro' => 'Vous avez reçu cet e-mail car vous avez été invité par :name à suivre le groupe de réparation communautaire:groupsur restarters.net.',
+ 'join_group_action' => 'Cliquez pour suivre le groupe',
+ 'join_group_ignore' => 'Si vous pensez que cette invitation ne vous est pas destinée, veuillez ne pas tenir compte de cet e-mail.',
+ 'join_group_attached' => ':nom joint ce message à l\'invitation :',
+ 'join_group_more' => 'Vous pouvez en savoir plus sur restarters.netici.',
+ 'new_member_subject' => 'Nouveau membre du groupe suivi :name',
+ 'new_member_title' => 'Un nouveau volontaire, :name, a suivi',
+ 'new_member_line1' => 'Un nouveau volontaire, :user, a suivi votre groupe \':group\'.',
+ 'new_member_action' => 'Aller au groupe',
+ 'new_group_subject' => 'Il y a un nouveau groupe de réparation près de chez vous',
+ 'new_group_title' => 'Un nouveau groupe de réparation près de chez vous :',
+ 'new_group_line1' => 'Un nouveau groupe près de chez vous, :name, vient de devenir actif sur Restarters.net.',
+ 'new_group_action' => 'En savoir plus sur :name',
+ 'new_event_subject' => 'Nouvel événement pour :nom à :heure',
+ 'new_event_title' => 'Un nouvel événement a été créé pour le groupe :name :',
+ 'new_event_line1' => 'Un nouvel événement a été ajouté à votre groupe : \':nom\'.',
+ 'password_reset_subject' => 'Réinitialiser le mot de passe',
+ 'password_reset_line1' => 'Vous recevez cet e-mail parce que nous avons reçu une demande de réinitialisation du mot de passe de votre compte.',
+ 'password_reset_action' => 'Réinitialiser le mot de passe',
+ 'password_reset_noaction' => 'Si vous n\'avez pas demandé la réinitialisation de votre mot de passe, aucune autre action n\'est requise.',
+ 'rsvp_subject' => ':nom a répondu à votre événement',
+ 'rsvp_title' => ': a répondu à votre événement :',
+ 'rsvp_line1' => 'Un volontaire, :user, s\'est inscrit à l\'événement \':event\'.',
+ 'rsvp_action' => 'Voir votre événement',
+ 'abnormal_devices_subject' => 'Nombre anormal de dispositifs divers',
+ 'abnormal_devices_title' => 'L\'événement comporte un nombre anormal de dispositifs divers :',
+ 'abnormal_devices_line1' => 'L\'événement \':nom\' comporte un nombre anormal de dispositifs divers. Veuillez vérifier l\'événement et résoudre ce problème.',
+ 'moderation_event_subject' => 'Nouvel événement pour :name',
+ 'moderation_event_line1' => 'Un nouvel événement a été créé : \':nom\'.',
+ 'moderation_event_line2' => 'Cet événement peut nécessiter votre modération, si votre réseau modère les événements et s\'il n\'a pas encore été modéré par un autre administrateur.',
+ 'moderation_event_photos_subject' => 'Nouvelles photos de l\'événement téléchargées dans l\'événement : :event',
+ 'moderation_event_photos_line1' => 'Des photos ont été téléchargées dans un événement : \':nom\'.',
+ 'moderation_event_photos_line2' => 'Ces photos peuvent nécessiter votre modération, si elles n\'ont pas encore été modérées par un autre administrateur.',
+ 'moderation_group_subject' => 'Nouveau groupe créé : :name',
+ 'moderation_group_title' => 'Création d\'un nouveau groupe :',
+ 'moderation_group_line1' => 'Un nouveau groupe a été créé : \':nom\'.',
+ 'moderation_group_line2' => 'Ce groupe peut avoir besoin de votre modération, s\'il n\'a pas encore été modéré par un autre administrateur.',
+ 'new_user_subject' => 'Enregistrement d\'un nouvel utilisateur',
+ 'new_user_title' => 'Un nouvel utilisateur a rejoint la communauté :',
+ 'new_user_line1' => 'Un nouvel utilisateur \":name\" a rejoint la communauté Restarters.',
+ 'user_deleted_subject' => 'Utilisateur supprimé',
+ 'user_deleted_title' => 'L\'utilisateur a supprimé son compte :',
+ 'user_deleted_line1' => 'L\'utilisateur \":nom\" a supprimé son compte Restarters.',
+ 'wordpress_create_event_failure_subject' => 'Événement Défaillance de WordPress',
+ 'wordpress_create_event_failure_title' => 'L\'événement n\'a pas réussi à créer un nouvel article WordPress :',
+ 'wordpress_create_event_failure_line1' => 'L\'événement \':nom\' n\'a pas réussi à créer un article WordPress lors de l\'approbation par l\'administrateur.',
+ 'wordpress_create_group_failure_subject' => 'Échec du groupe WordPress',
+ 'wordpress_create_group_failure_title' => 'Le groupe n\'a pas réussi à créer un nouvel article WordPress :',
+ 'wordpress_create_group_failure_line1' => 'Erreur lors de la création d\'une page de groupe pour \':name\' sur WordPress.',
+ 'wordpress_edit_event_failure_subject' => 'Événement Défaillance de WordPress',
+ 'wordpress_edit_event_failure_title' => 'L\'événement n\'a pas pu être enregistré dans un article WordPress existant :',
+ 'wordpress_edit_event_failure_line1' => 'L\'événement \':nom\' n\'a pas été publié sur WordPress lors d\'une modification de l\'événement.',
+ 'wordpress_edit_group_failure_subject' => 'Échec du groupe WordPress',
+ 'wordpress_edit_group_failure_title' => 'Le groupe n\'a pas réussi à s\'enregistrer dans un article WordPress existant :',
+ 'wordpress_edit_group_failure_line1' => 'Le groupe \':nom\' n\'a pas été publié sur WordPress lors d\'une modification du groupe.',
+ 'wordpress_delete_event_failed_subject' => 'Échec de la suppression de l\'événement de WordPress : :name',
+ 'wordpress_delete_event_failed_title' => 'Échec de la suppression de l\'événement :name by :group de WordPress',
+ 'wordpress_delete_event_failed_line1' => 'La suppression d\'un événement a échoué pour :name by :group.',
+ 'wordpress_delete_event_failed_line2' => 'Veuillez rechercher et supprimer manuellement cet événement dans WordPress.',
+ 'admin_no_devices_subject' => 'Événement récent sans ajout de dispositif',
+ 'admin_no_devices_title' => 'Modération nécessaire lors d\'un événement sans appareils :',
+ 'admin_no_devices_line1' => 'Votre modération est nécessaire pour \':name\'.',
+ 'admin_no_devices_line2' => 'Aucun dispositif n\'a été ajouté à cet événement.',
];
diff --git a/lang/instances/base/fr/onboarding.php b/lang/instances/base/fr/onboarding.php
index 76c19f07bb..ec845433eb 100644
--- a/lang/instances/base/fr/onboarding.php
+++ b/lang/instances/base/fr/onboarding.php
@@ -1,13 +1,13 @@
'Bienvenue!',
- 'slide1_content' => '
',
- 'slide3_heading' => 'C’est parti !',
- 'slide3_content' => '
',
+ 'slide3_content' => '
',
+ 'interested_starting' => 'Volete avviare il vostro gruppo di riparazione comunitario?',
+ 'interested_details' => '
',
+ 'tooltip_notes' => '
',
+ 'placeholder_notes' => 'Note. Esempi: difficoltà di riparazione, percezione del problema da parte del proprietario, ecc.',
+ 'title_items' => 'ARTICOLO',
+ 'title_items_at_event' => 'Articoli presenti a questo evento',
+ 'title_repair' => 'RIPARAZIONE',
+ 'title_assessment' => 'VALUTAZIONE',
+ 'title_powered' => 'ALIMENTATO',
+ 'title_unpowered' => 'NON POTENZIATO',
+ 'description_powered' => 'Unoggetto alimentatoè qualsiasi cosa che abbia o richieda una fonte di energia.',
+ 'description_unpowered' => 'Unoggetto non alimentatoè qualsiasi cosa che non abbia o richieda una fonte di energia.',
+ 'confirm_delete' => 'Facendo clic su conferma si elimina l\'elemento dall\'evento.',
+ 'status' => 'Stato',
+ 'spare_parts' => 'Parti di ricambio',
+ 'latest_data' => 'Ultimi dati',
+ 'table_intro' => 'Premere le icone \"i\" per i dettagli. Fare clic sull\'intestazione di una colonna per ordinare in base a quella colonna; fare nuovamente clic per invertire l\'ordine.',
+ 'assessment' => 'Valutazione',
+ 'item_and_repair_info' => 'Informazioni sull\'articolo e sulla riparazione',
+ 'search_assessment_comments' => 'Valutazione',
+ 'tooltip_type' => 'Aggiungete qui il maggior numero possibile di informazioni sul tipo di articolo (ad esempio, \"jeans denim\" o \"divano\")',
+ 'add_data_group' => 'Selezionare un gruppo',
+ 'add_data_event' => 'Selezionare un evento',
+ 'item_type' => 'Che cos\'è?',
+ 'item_type_short' => 'Articolo',
+ 'tooltip_type_powered' => 'Di che tipo di oggetto si tratta? (ad es. \"Frullatore\" o \"Drone\" o \"Trivella\")',
+ 'tooltip_type_unpowered' => 'Aggiungete qui il maggior numero possibile di informazioni sul tipo di articolo (ad esempio, \"Divano\" o \"Jeans\")',
+ 'unknown_item_type' => 'Si sta creando un nuovo tipo di articolo. Siete sicuri che un tipo di articolo esistente non sia adatto?',
+ 'unknown_brand' => 'State creando un nuovo marchio. Siete sicuri che un marchio esistente non sia adatto?',
+ 'image_delete_success' => 'Grazie, l\'immagine è stata cancellata',
+ 'image_delete_error' => 'Spiacente, ma l\'immagine non può essere cancellata',
+ 'image_upload_error' => 'fail - non è stato possibile caricare l\'immagine',
];
diff --git a/lang/instances/base/it/discourse.php b/lang/instances/base/it/discourse.php
new file mode 100644
index 0000000000..f7773d2db1
--- /dev/null
+++ b/lang/instances/base/it/discourse.php
@@ -0,0 +1,8 @@
+ 'Cosa succede',
+ 'number_of_comments' => 'Numero di commenti',
+ 'topic_created_at' => 'Argomento creato',
+ 'see_all' => 'vedi tutti',
+];
diff --git a/lang/instances/base/it/errors.php b/lang/instances/base/it/errors.php
new file mode 100644
index 0000000000..5303aaad11
--- /dev/null
+++ b/lang/instances/base/it/errors.php
@@ -0,0 +1,5 @@
+ 'È possibile segnalare il problema inviando un\'e-mail acommunity@therestartproject.org, oppure scrivendo nel forum di aiuto di restarters.net {{HTMLTAG_131}.',
+];
diff --git a/lang/instances/base/it/event-audits.php b/lang/instances/base/it/event-audits.php
index f664220730..e2c387ae47 100644
--- a/lang/instances/base/it/event-audits.php
+++ b/lang/instances/base/it/event-audits.php
@@ -1,44 +1,43 @@
'Nessuna modifica fatta a questo evento!',
+ 'unavailable_audits' => 'Non sono state apportate modifiche a questo evento!',
'created' => [
- 'metadata' => 'Su :audit_created_at, :user_name ha creato il record :audit_url',
+ 'metadata' => 'Su :audit_created_at, :user_name ha creato il record:audit_url',
'modified' => [
- 'group' => 'ID Eventi Gruppo impostato a ":new"',
- 'event_date' => 'Data Evento impostata a ":new"',
- 'start' => 'Ora Inizio Evento impostato a ":new"',
- 'end' => 'Ora Fine Evento
- impostata a ":new"',
- 'venue' => 'Nome Evento impostato a ":new"',
- 'location' => 'Luogo Evento impostato a ":new"',
- 'latitude' => 'Latitudine Evento impostato a ":new"',
- 'longitude' => 'Longitudine Evento impostato a ":new"',
- 'free_text' => 'Testo libero impostato a ":new"',
- 'pax' => 'pax impostato a ":new"',
- 'volunteers' => 'Numero di Volontari impostato a ":new"',
- 'hours' => 'Ore Eventi impostato a ":new"',
- 'idevents' => 'ID Eventi impostato a ":new"',
- 'wordpress_post_id' => ' ID post Wordpress impostato come ": new "',
+ 'group' => 'ID gruppo eventoimpostato come \":nuovo\"',
+ 'event_date' => 'Data dell\'eventoimpostata come \":new\"',
+ 'start' => 'Ora di inizio eventoimpostata come \":new\"',
+ 'end' => 'Ora di fine eventoimpostata come \":new\"',
+ 'venue' => 'Nome eventoimpostato come \":new\"',
+ 'location' => 'Luogo dell\'eventoimpostato come \":new\"',
+ 'latitude' => 'Latitudine dell\'eventoimpostata come \":new\"',
+ 'longitude' => 'Longitudine eventoimpostata come \":new\"',
+ 'free_text' => 'Testo liberoimpostato come \":new\"',
+ 'pax' => 'paximpostato come \":nuovo\"',
+ 'volunteers' => 'Quantità di Volontariimpostata come \":nuovo\"',
+ 'hours' => 'Orario dell\'eventoimpostato come \":new\"',
+ 'idevents' => 'ID eventoimpostato come \":nuovo\"',
+ 'wordpress_post_id' => 'ID post di Wordpressimpostato come \":new\"',
],
],
'updated' => [
- 'metadata' => 'Su :audit_created_at, :user_name ha aggiornato il record :audit_url',
+ 'metadata' => 'Su :audit_created_at, :user_name ha aggiornato il record:audit_url',
'modified' => [
- 'group' => 'ID Gruppo Eventimodificato da ":old" a ":new"',
- 'event_date' => 'Data Evento modificata da ":old" a ":new"',
- 'start' => 'Orario Inizio Eventomodificato da ":old" a ":new"',
- 'end' => 'Orario Termine Evanto modificata da ":old" a ":new"',
- 'venue' => 'Event Nomemodificato da ":old" a ":new"',
- 'location' => 'Luogo Eventi modificato da ":old" a ":new"',
- 'latitude' => 'Latitudine Eventi modificato da ":old" a ":new"',
- 'longitude' => 'Longitudine Eventi modificato da ":old" a ":new"',
- 'free_text' => 'Testo Libero
- modificato da ":old" a ":new"',
- 'pax' => 'pax modificato da ":old" a ":new"',
- 'volunteers' => 'Numero di Volontari modificato da ":old" a ":new"',
- 'hours' => 'Ore Eventi modificato da ":old" a ":new"',
- 'wordpress_post_id' => 'ID post Wordpress modificato da ":old" a ":new"',
+ 'group' => 'L\'ID del gruppo di eventiè stato modificato da \":vecchio\" a \":nuovo\"',
+ 'event_date' => 'La data dell\'eventoè stata modificata da \":old\" a \":new\"',
+ 'start' => 'L\'ora di inizio dell\'eventoè stata modificata da \":old\" a \":new\"',
+ 'end' => 'L\'ora di fine eventoè stata modificata da \":old\" a \":new\"',
+ 'venue' => 'Il nome dell\'eventoè stato modificato da \":old\" a \":new\"',
+ 'location' => 'Il luogo dell\'eventoè stato modificato da \":old\" a \":new\"',
+ 'latitude' => 'Latitudine eventoè stato modificato da \":old\" a \":new\"',
+ 'longitude' => 'Longitudine eventoè stato modificato da \":old\" a \":new\"',
+ 'free_text' => 'Il testo liberoè stato modificato da \":old\" a \":new\"',
+ 'pax' => 'paxè stato modificato da \":vecchio\" a \":nuovo\"',
+ 'volunteers' => 'La quantità di volontariè stata modificata da \":old\" a \":new\"',
+ 'hours' => 'Orario dell\'eventoè stato modificato da \":old\" a \":new\"',
+ 'wordpress_post_id' => 'L\'ID del post di Wordpressè stato modificato da \":old\" a \":new\"',
+ 'devices_updated_at' => 'Dispositivi evento aggiornati aè stato modificato da \":old\" a \":new\"',
],
],
];
diff --git a/lang/instances/base/it/events.php b/lang/instances/base/it/events.php
index 15f8bd8f59..5285fa069a 100644
--- a/lang/instances/base/it/events.php
+++ b/lang/instances/base/it/events.php
@@ -1,73 +1,154 @@
'Informazioni evento',
- 'rsvp_message' => 'Eccellente! Ti stai unendo a noi a questo evento',
- 'rsvp_button' => 'Spiacente, non posso attendere oltre',
+ 'field_event_name_helper' => 'Nome del luogo o del quartiere',
+ 'field_venue_helper' => 'Cioè il luogo in cui avviene la riparazione!',
+ 'create_event' => 'Creare un evento',
+ 'events_title_admin' => 'Eventi da moderare',
+ 'approve_event' => 'Approvare l\'evento',
+ 'save_event' => 'Salva evento',
+ 'field_event_images' => 'Aggiungete qui le immagini dell\'evento',
+ 'field_event_images_2' => 'Scegliete un\'immagine per il vostro evento',
+ 'headline_stats_dropdown' => 'Statistiche principali',
+ 'co2_equivalence_visualisation_dropdown' => 'CO2visualizzazione delle equivalenze',
+ 'full_name_helper' => 'Lasciare il campo vuoto se anonimo',
+ 'send_invites_to_restarters_tickbox' => 'Aggiungere inviti per i membri del gruppo. I membri contrassegnati da un ⚠ saranno invitati ma non riceveranno un\'e-mail a causa delle loro impostazioni di notifica.',
+ 'sample_text_message_to_restarters' => '',
+ 'read_less' => '
LEGGI TUTTO',
+ 'calendar_google' => 'Calendario di Google',
+ 'calendar_outlook' => 'Prospettiva',
+ 'calendar_ical' => 'iCal',
+ 'calendar_yahoo' => 'Calendario Yahoo',
+ 'confirm_delete' => 'È sicuro di voler cancellare questo evento?',
+ 'RSVP' => 'RSVP',
+ 'form_error' => 'Controllare che il modulo sopra riportato non contenga errori.',
+ 'your_events' => 'I vostri eventi',
+ 'validate_location' => 'La sede deve essere presente, a meno che l\'evento non sia online.',
+ 'other_events' => 'Altri eventi',
+ 'online' => 'In linea',
+ 'duplicate_event' => 'Evento duplicato',
+ 'discourse_invite' => 'Ti abbiamo aggiunto a un thread per questo evento.',
+ 'field_venue_placeholder' => 'Inserire l\'indirizzo',
+ 'field_venue_use_group' => 'Utilizzare la posizione del gruppo',
+ 'talk_thread' => 'Visualizza la conversazione dell\'evento',
+ 'search_title_placeholder' => 'Titolo della ricerca...',
+ 'search_country_placeholder' => 'Paese...',
+ 'search_start_placeholder' => 'Da...',
+ 'search_end_placeholder' => 'A...',
+ 'invite_when_approved' => 'È possibile invitare volontari solo quando l\'evento è stato approvato',
+ 'field_event_link_helper' => 'Link web opzionale',
+ 'field_event_link' => 'Collegamento all\'evento',
+ 'address_error' => 'L\'indirizzo inserito non è stato trovato. Si prega di provare con un indirizzo più generico e di inserire eventuali dettagli più specifici nella descrizione dell\'evento.',
+ 'before_submit_text_autoapproved' => 'Quando si crea o si salva questo evento, esso viene reso pubblico.',
+ 'created_success_message_autoapproved' => 'Evento creato! Ora è pubblico.',
+ 'no_location' => 'Al momento non è stata impostata una città. Puoi impostarne una neltuo profilo',
+ 'review_requested' => 'Grazie, a tutti i Restarter che hanno partecipato è stata inviata una notifica',
+ 'review_requested_permissions' => 'Spiacente, non si dispone delle autorizzazioni corrette per questa azione',
+ 'you_have_joined' => 'Ti sei unito a:nome',
+ 'discourse_intro' => 'Questa è una discussione privata per i volontari dell\'evento:nomeorganizzato da:nome del gruppo nei giorni da :inizio a :fine.
+
+Possiamo usare questo thread prima dell\'evento per discutere della logistica e dopo per discutere delle riparazioni effettuate.
+
+(Questo è un messaggio automatico.)',
+ 'invite_invalid_emails' => 'Sono state inserite e-mail non valide, pertanto non sono state inviate notifiche; si prega di inviare nuovamente l\'invito. Le email non valide erano: :emails',
+ 'invite_success' => 'Inviti inviati!',
+ 'invite_noemails' => 'Non hai inserito nessuna email!',
+ 'invite_invalid' => 'Qualcosa è andato storto: questo invito non è valido o è scaduto',
+ 'invite_cancelled' => 'Non partecipate più a questo evento.',
+ 'image_delete_success' => 'Grazie, l\'immagine è stata eliminata.',
+ 'image_delete_error' => 'Spiacente, ma l\'immagine non può essere cancellata.',
+ 'delete_permission' => 'Non si ha l\'autorizzazione a cancellare questo evento.',
+ 'delete_success' => 'L\'evento è stato cancellato.',
+ 'geocode_failed' => 'Luogo non trovato. Se non riuscite a trovare il luogo del vostro evento, provate a scegliere una località più generica (come paese/città) o un indirizzo stradale specifico, piuttosto che il nome di un edificio.',
+ 'create_failed' => 'È stato possibile creare un eventoe non. Si prega di esaminare gli errori segnalati, di correggerli e di riprovare.',
+ 'edit_failed' => 'Non è stato possibile modificare l\'evento.',
];
diff --git a/lang/instances/base/it/general.php b/lang/instances/base/it/general.php
index ab5c8cc85f..a93f35cc5a 100644
--- a/lang/instances/base/it/general.php
+++ b/lang/instances/base/it/general.php
@@ -1,37 +1,41 @@
'Entra',
- 'profile' => 'Tuo profilo',
- 'other_profile' => 'profilo',
- 'profile_content' => 'Condividi per favore alcune informazioni su di te, per presentarti agli organizzatori e riparatori, e in modo che possiamo capire meglio chi fa parte della nostra comunità',
- 'logout' => 'Esci',
- 'new_group' => 'Crea un nuovo gruppo',
- 'alert_uptodate' => 'Grazie! Ora sei aggiornato.',
- 'alert_uptodate_text' => 'Non hai nessuna azione da fare ora. Quando sara\' necessaria ti faremo sapere.',
+ 'reporting' => 'Segnalazione',
'general' => 'Generale',
- 'reporting' => 'Reporting',
- 'signmeup' => 'Fammi entrare!',
- 'introduction_message' => 'Siamo una comunità globale di persone che aiutano gli altri a riparare i propri dispositivi elettronici in eventi comunitari. Unisciti a noi!',
- 'your_name' => 'Tuo nome',
- 'your_name_validation' => 'Per favore inserisci il tuo nome',
- 'repair_skills' => 'Abilita\'',
- 'repair_skills_content' => 'Questo è facoltativo ma ci aiuta a migliorare la tua esperienza - quali competenze hai e vorresti condividere con gli altri?',
- 'your_repair_skills' => 'Tue competenze',
- 'save_repair_skills' => 'Salva abilita\'',
- 'email_alerts' => 'Emails & avvisi',
- 'email_alerts_text' => 'Scegli quale tipo di aggiornamenti e-mail desideri ricevere. Puoi cambiarli in qualsiasi momento. La nostra politica sulla privacy è disponibile qui ',
- 'email_alerts_pref1' => 'Vorrei ricevere la newsletter mensile del Restart Project',
- 'email_alerts_pref2' => 'Vorrei ricevere notifiche e-mail su eventi o gruppi vicino a me',
- 'menu_tools' => 'Strumenti per la comunità',
- 'menu_discourse' => 'Discussione',
- 'menu_wiki' => 'Wiki',
- 'menu_other' => 'Altri Link',
- 'menu_help_feedback' => 'Aiuto & Riscontri',
- 'menu_faq' => 'FAQs',
- 'therestartproject' => 'Il Restart Project',
+ 'menu_tools' => 'Strumenti della comunità',
+ 'menu_other' => 'Altri link',
'help_feedback_url' => 'https://talk.restarters.net/c/help',
'faq_url' => 'https://therestartproject.org/faq',
'restartproject_url' => 'https://therestartproject.org',
- 'calendar_feed_help_url' => '/t/fixometer-how-to-subscribe-to-a-calendar',
+ 'other_profile' => 'profilo',
+ 'email_alerts_pref1' => 'Desidero ricevere la newsletter mensile del Progetto Restart',
+ 'email_alerts_pref2' => 'Desidero ricevere notifiche via email su eventi o gruppi vicini a me',
+ 'login' => 'Accesso',
+ 'profile' => 'Il tuo profilo',
+ 'profile_content' => 'Per favore, condividi alcune informazioni su di te, in modo da poterti mettere in contatto con altri organizzatori e riparatori, e in modo che possiamo capire meglio la comunità',
+ 'logout' => 'Disconnessione',
+ 'new_group' => 'Creare un nuovo gruppo',
+ 'alert_uptodate' => 'Grazie! Sei aggiornato',
+ 'alert_uptodate_text' => 'Non avete nulla da fare ora. Quando lo farete, ve lo faremo sapere.',
+ 'signmeup' => 'Iscrivetevi!',
+ 'introduction_message' => 'Siamo una comunità globale di persone che aiutano gli altri a riparare i loro dispositivi elettronici durante gli eventi della comunità. Unisciti a noi!',
+ 'your_name' => 'Il tuo nome',
+ 'your_name_validation' => 'Inserisci il tuo nome',
+ 'repair_skills' => 'Competenze',
+ 'repair_skills_content' => 'Questo è facoltativo ma ci aiuta a migliorare la vostra esperienza: quali competenze avete e vorreste condividere con gli altri?',
+ 'your_repair_skills' => 'Le vostre competenze',
+ 'save_repair_skills' => 'Salvataggio delle competenze',
+ 'email_alerts' => 'Email e avvisi',
+ 'email_alerts_text' => 'Scegliete il tipo di aggiornamenti via e-mail che desiderate ricevere. È possibile modificarli in qualsiasi momento. La nostra Informativa sulla privacy è disponibilequi',
+ 'menu_discourse' => 'Parlare',
+ 'menu_wiki' => 'Wiki',
+ 'menu_repair_guides' => 'Guide alla riparazione',
+ 'menu_help_feedback' => 'Aiuto e feedback',
+ 'menu_faq' => 'Domande frequenti',
+ 'therestartproject' => 'Il progetto Restart',
+ 'calendar_feed_help_url' => '/t/fixometer-come-abbonarsi-a-un-calendario',
+ 'menu_fixometer' => 'Fissometro',
+ 'menu_events' => 'Eventi',
+ 'menu_groups' => 'Gruppi',
];
diff --git a/lang/instances/base/it/group-audits.php b/lang/instances/base/it/group-audits.php
index fe2d038c91..12f3aeecd2 100644
--- a/lang/instances/base/it/group-audits.php
+++ b/lang/instances/base/it/group-audits.php
@@ -1,33 +1,34 @@
'Non e\' stato fatto nessun cambiamento a questo gruppo',
- 'updated' => [
- 'metadata' => 'Su :audit_created_at, :user_name ha aggiornato il record :audit_url',
+ 'unavailable_audits' => 'Non sono state apportate modifiche a questo gruppo!',
+ 'created' => [
+ 'metadata' => 'Su :audit_created_at, :user_name ha creato il record:audit_url',
'modified' => [
- 'name' => 'Nome modificato da ":old" a ":new"',
- 'website' => 'Website modificato da ":old" a ":new"',
- 'area' => 'Area modificato da ":old" a ":new"',
- 'location' => 'Luogo modificato da ":old" a ":new"',
- 'latitude' => 'Latitudine modificata da ":old" a ":new"',
- 'longitude' => 'Longitudine modificata da ":old" a ":new"',
- 'free_text' => 'Testo libero modificato da ":old" a ":new"',
- 'country' => 'Nazione e\' stato modificato da ":old" a":new"',
+ 'name' => 'Nomeimpostato come \":new\"',
+ 'website' => 'Sito webimpostato come \":new\"',
+ 'area' => 'Areaimpostata come \":new\"',
+ 'country' => 'Paeseimpostato come \":new\"',
+ 'location' => 'Posizioneimpostata come \":new\"',
+ 'latitude' => 'Latitudineimpostata come \":new\"',
+ 'longitude' => 'Longitudineimpostata come \":new\"',
+ 'free_text' => 'Testo liberoimpostato come \":new\"',
+ 'idgroups' => 'ID gruppoimpostato come \":nuovo\"',
+ 'wordpress_post_id' => 'ID post Wordpressimpostato come \":new\"',
],
],
- 'created' => [
- 'metadata' => 'Su :audit_created_at, :user_name ha creato il record :audit_url ',
+ 'updated' => [
+ 'metadata' => 'Su :audit_created_at, :user_name ha aggiornato il record:audit_url',
'modified' => [
- 'area' => 'Area impostata a ":new"',
- 'country' => 'Nazione impostata a ":new"',
- 'free_text' => 'Testo libero impostato a ":new"',
- 'idgroups' => 'ID Gruppo impostato a ":new"',
- 'latitude' => 'Latitudine impostato a ":new"',
- 'location' => 'Localita\' impostata a ":new"',
- 'longitude' => 'Longitudine impostata a ":new"',
- 'name' => 'Nome impostato a ":new"',
- 'website' => 'Website impostato a ":new"',
- 'wordpress_post_id' => 'ID post Wordpress impostato a ":new"',
+ 'name' => 'Il nomeè stato modificato da \":old\" a \":new\"',
+ 'website' => 'Il sito webè stato modificato da \":old\" a \":new\"',
+ 'area' => 'L\'areaè stata modificata da \":old\" a \":new\"',
+ 'country' => 'Il paeseè stato modificato da \":old\" a \":new\"',
+ 'location' => 'La posizioneè stata modificata da \":old\" a \":new\"',
+ 'latitude' => 'La latitudineè stata modificata da \":old\" a \":new\"',
+ 'longitude' => 'Longitudineè stato modificato da \":old\" a \":new\"',
+ 'free_text' => 'Il testo liberoè stato modificato da \":old\" a \":new\"',
+ 'wordpress_post_id' => 'L\'ID del post di Wordpressè stato modificato da \":old\" a \":new\"',
],
],
];
diff --git a/lang/instances/base/it/group-tags.php b/lang/instances/base/it/group-tags.php
new file mode 100644
index 0000000000..bed19d9132
--- /dev/null
+++ b/lang/instances/base/it/group-tags.php
@@ -0,0 +1,9 @@
+ 'Tag di gruppo creato con successo!',
+ 'update_success' => 'Tag di gruppo aggiornato con successo!',
+ 'delete_success' => 'Tag di gruppo cancellato!',
+ 'title' => 'Tag del gruppo',
+ 'edit_tag' => 'Modifica dell\'etichetta del gruppo',
+];
diff --git a/lang/instances/base/it/groups.php b/lang/instances/base/it/groups.php
index 2a453fcb60..97710aac1c 100644
--- a/lang/instances/base/it/groups.php
+++ b/lang/instances/base/it/groups.php
@@ -1,48 +1,58 @@
'
LEGGI TUTTO',
+ 'group_facts' => 'Risultati del gruppo',
+ 'events' => 'evento|eventi',
+ 'no_volunteers' => 'Non ci sono volontari in questo gruppo',
+ 'remove_volunteer' => 'Rimuovere il volontario',
+ 'remove_host_role' => 'Rimuovere il ruolo di host',
+ 'make_host' => 'Fare l\'host',
+ 'not_counting' => 'L\'impatto ambientale di questo gruppo non viene considerato|Non viene considerato l\'impatto ambientale di questo gruppo',
+ 'calendar_copy_title' => 'Accedere a tutti gli eventi del gruppo nel proprio calendario personale',
+ 'calendar_copy_description' => 'Aggiungete tutti i prossimi eventi di :group al vostro calendario Google/Outlook/Yahoo/Apple con il link sottostante:',
+ 'volunteers_invited' => 'Volontari invitati',
+ 'volunteers_confirmed' => 'Volontari confermati',
+ 'participants_attended' => 'I partecipanti hanno frequentato',
+ 'volunteers_attended' => 'I volontari hanno partecipato',
+ 'co2_emissions_prevented' => 'Emissioni di CO2 evitate',
+ 'fixed_items' => 'Articoli fissi',
+ 'repairable_items' => 'Articoli riparabili',
+ 'end_of_life_items' => 'Articoli a fine vita',
+ 'no_unpowered_stats' => 'Al momento, queste statistiche sono visualizzate solo per gli oggetti potenziati. Speriamo di includere presto anche gli oggetti non potenziati.',
+ 'all_groups_mobile' => 'Tutti',
+ 'create_groups_mobile2' => 'Aggiungi nuovo',
+ 'groups_title1_mobile' => 'Il tuo',
+ 'groups_title2_mobile' => 'Il più vicino',
+ 'join_group_button_mobile' => 'Seguire',
+ 'no_groups_mine' => 'Se non ne vedete ancora, perché non seguite il gruppo più vicino a voiper conoscere i loro prossimi eventi di riparazione?',
+ 'no_groups_nearest_no_location' => '
-
',
- 'more' => 'Scopri altro',
- 'stat_1' => 'Dispositivi riparati',
- 'stat_2' => 'Emissioni di CO2 prevenute',
+ 'whatis_content' => '
+
',
+ 'whatis' => 'Benvenuti nella comunità Restarters',
+ 'more' => 'Per saperne di più',
+ 'stat_1' => 'Dispositivi fissati',
+ 'stat_2' => 'CO2emissioni evitate',
'stat_3' => 'Rifiuti evitati',
- 'stat_4' => 'Eventi realizzati',
- 'login_title' => 'Entra',
+ 'stat_4' => 'Eventi organizzati',
+ 'login_title' => 'Accedi',
+ 'join_title' => 'Unisciti a Restarters',
+ 'join_title_short' => 'Unirsi',
];
diff --git a/lang/instances/base/it/networks.php b/lang/instances/base/it/networks.php
new file mode 100644
index 0000000000..70178f17d8
--- /dev/null
+++ b/lang/instances/base/it/networks.php
@@ -0,0 +1,42 @@
+ 'Reti',
+ 'network' => 'Rete',
+ 'general' => [
+ 'networks' => 'Reti',
+ 'network' => 'Rete',
+ 'particular_network' => ':networkName rete',
+ 'groups' => 'Gruppi',
+ 'about' => 'Circa',
+ 'count' => 'Ci sono attualmente gruppi :count nella rete :name.Visualizza questi gruppi.',
+ 'actions' => 'Azioni di rete',
+ 'coordinators' => 'Coordinatori di rete',
+ ],
+ 'index' => [
+ 'your_networks' => 'Le vostre reti',
+ 'your_networks_explainer' => 'Queste sono le reti di cui siete coordinatori.',
+ 'your_networks_no_networks' => 'Non siete coordinatori di alcuna rete.',
+ 'all_networks' => 'Tutte le reti',
+ 'all_networks_explainer' => 'Tutte le reti del sistema (solo per gli amministratori).',
+ 'all_networks_no_networks' => 'Non ci sono reti nel sistema.',
+ 'description' => 'Descrizione',
+ ],
+ 'show' => [
+ 'about_modal_header' => 'Informazioni su :nome',
+ 'add_groups_menuitem' => 'Aggiungi gruppi',
+ 'add_groups_modal_header' => 'Aggiungere gruppi a :name',
+ 'add_groups_select_label' => 'Scegliere i gruppi da aggiungere',
+ 'add_groups_save_button' => 'Aggiungi',
+ 'add_groups_warning_none_selected' => 'Nessun gruppo selezionato.',
+ 'add_groups_success' => ':numero gruppo/i aggiunto/i.',
+ 'view_groups_menuitem' => 'Visualizza i gruppi',
+ ],
+ 'edit' => [
+ 'label_logo' => 'Logo della rete',
+ 'button_save' => 'Salva le modifiche',
+ 'add_new_field' => 'Aggiungere un nuovo campo',
+ 'new_field_name' => 'Nuovo nome del campo',
+ 'add_field' => 'Aggiungi campo',
+ ],
+];
diff --git a/lang/instances/base/it/notifications.php b/lang/instances/base/it/notifications.php
index bb95412afe..9b04e1d9e8 100644
--- a/lang/instances/base/it/notifications.php
+++ b/lang/instances/base/it/notifications.php
@@ -1,9 +1,102 @@
'Contrassegnato come letto',
- 'mark_all_as_read' => 'Segnare tutte le notifiche come lette',
- 'mark_as_read' => 'Segna come letto',
'notifications' => 'Notifiche',
'view_all' => 'Visualizza tutte le notifiche',
+ 'mark_as_read' => 'Segna come letto',
+ 'marked_as_read' => 'Segnato come letto',
+ 'mark_all_as_read' => 'Contrassegnare tutte le notifiche come lette',
+ 'greeting' => 'Ciao!',
+ 'view_event' => 'Visualizza evento',
+ 'view_group' => 'Visualizza il gruppo',
+ 'view_profile' => 'Visualizza il profilo',
+ 'email_footer' => 'In caso di domande o problemi, si prega di contattarecommunity@therestartproject.org',
+ 'new_event_photos_subject' => 'Nuove foto dell\'evento caricate nell\'evento: :event',
+ 'email_preferences' => 'Se desiderate non ricevere più queste e-mail, visitatele vostre preferenzesul vostro account.',
+ 'event_confirmed_title' => 'Evento confermato',
+ 'event_confirmed_subject' => 'Evento confermato :time',
+ 'event_confirmed_line1' => 'Il tuo evento :nome è stato confermato da un amministratore. Ora è disponibile pubblicamente su:url.',
+ 'event_devices_title' => 'Contribuire ai dispositivi',
+ 'event_devices_subject' => 'Contribuire ai dispositivi',
+ 'event_devices_line1' => 'Grazie per aver ospitato l\'evento :evento, vi preghiamo di aiutarci a delineare quali dispositivi sono stati acquistati all\'evento e lo stato della loro riparazione. Questo ci aiuterà a migliorare la qualità dei nostri dati.',
+ 'event_devices_action' => 'Contribuire ai dati',
+ 'event_repairs_title' => 'Aiutateci a registrare le informazioni sulla riparazione per :name',
+ 'event_repairs_subject' => 'Aiutateci a registrare le informazioni sulla riparazione per :name',
+ 'event_repairs_line1' => 'Grazie per aver riparato all\'evento \':name\'. L\'organizzatore ha pubblicato le foto dei commenti lasciati dai partecipanti e i dati delle riparazioni. Vi preghiamo di aiutarci a migliorare i dettagli delle riparazioni effettuate aggiungendo qualsiasi informazione utile o foto in vostro possesso. Tutti i dettagli aggiuntivi che potete aggiungere saranno utili per i futuri tentativi di riparazione.',
+ 'event_repairs_action' => 'Contribuire alle informazioni sulla riparazione',
+ 'group_confirmed_subject' => 'Gruppo Confermato',
+ 'group_confirmed_line1' => 'Il tuo gruppo \':nome\' è stato confermato da un amministratore.',
+ 'join_event_title' => 'Siete stati invitati a partecipare a un evento:',
+ 'join_event_subject' => 'Siete stati invitati a un prossimo evento :groupname',
+ 'join_event_line1' => ':inviter ti ha invitato a unirti a :groupname in un prossimo evento di riparazione.',
+ 'join_event_date' => 'Data:',
+ 'join_event_time' => 'Tempo:',
+ 'join_event_location' => 'Posizione:',
+ 'join_event_ignore' => 'Se pensate che questo invito non sia destinato a voi, vi preghiamo di ignorare questa e-mail.',
+ 'join_event_rsvp_now' => 'RSVP ora',
+ 'join_event_view' => 'Visualizza evento',
+ 'join_group_title' => 'Invito da parte di :nome a seguire :gruppo',
+ 'join_group_intro' => 'Avete ricevuto questa e-mail perché siete stati invitati da :name a seguire il gruppo di riparazione della comunità:grupposu restarters.net.',
+ 'join_group_action' => 'Clicca per seguire il gruppo',
+ 'join_group_ignore' => 'Se pensate che questo invito non sia destinato a voi, vi preghiamo di ignorare questa e-mail.',
+ 'join_group_attached' => ':nome ha allegato questo messaggio all\'invito:',
+ 'join_group_more' => 'Potete trovare maggiori informazioni su restarters.netqui.',
+ 'new_member_subject' => 'Nuovo membro del gruppo seguito :nome',
+ 'new_member_title' => 'Un nuovo volontario, :nome, ha seguito',
+ 'new_member_line1' => 'Un nuovo volontario, :user, ha seguito il vostro gruppo \':group\'.',
+ 'new_member_action' => 'Vai al gruppo',
+ 'new_group_subject' => 'C\'è un nuovo gruppo di riparazione vicino a te',
+ 'new_group_title' => 'Un nuovo gruppo di riparazione vicino a voi:',
+ 'new_group_line1' => 'Un nuovo gruppo vicino a voi, :name, è appena diventato attivo su Restarters.net.',
+ 'new_group_action' => 'Per saperne di più su :nome',
+ 'new_event_subject' => 'Nuovo evento per :nome a :ora',
+ 'new_event_title' => 'È stato creato un nuovo evento per il gruppo :nome:',
+ 'new_event_line1' => 'È stato aggiunto un nuovo evento al vostro gruppo: \':nome\'.',
+ 'password_reset_subject' => 'Reimpostare la password',
+ 'password_reset_line1' => 'State ricevendo questa e-mail perché abbiamo ricevuto una richiesta di reimpostazione della password per il vostro account.',
+ 'password_reset_action' => 'Reimpostare la password',
+ 'password_reset_noaction' => 'Se non è stata richiesta la reimpostazione della password, non sono necessarie ulteriori azioni.',
+ 'rsvp_subject' => ':nome ha risposto al vostro evento',
+ 'rsvp_title' => ': ha risposto al vostro evento:',
+ 'rsvp_line1' => 'Un volontario, :user, ha risposto all\'evento \':event\'.',
+ 'rsvp_action' => 'Visualizza il tuo evento',
+ 'abnormal_devices_subject' => 'Numero anomalo di dispositivi vari',
+ 'abnormal_devices_title' => 'L\'evento presenta un numero anomalo di dispositivi vari:',
+ 'abnormal_devices_line1' => 'L\'evento \':nome\' presenta un numero anomalo di dispositivi vari. Controllare l\'evento e risolvere il problema.',
+ 'moderation_event_subject' => 'Nuovo evento per :name',
+ 'moderation_event_line1' => 'È stato creato un nuovo evento: \':nome\'.',
+ 'moderation_event_line2' => 'Questo evento potrebbe richiedere la vostra moderazione, se la vostra rete modera gli eventi e non è ancora stato moderato da un altro amministratore.',
+ 'moderation_event_photos_subject' => 'Nuove foto dell\'evento caricate nell\'evento: :event',
+ 'moderation_event_photos_line1' => 'Le foto sono state caricate su un evento: \':nome\'.',
+ 'moderation_event_photos_line2' => 'Queste foto potrebbero richiedere la tua moderazione, se non sono ancora state moderate da un altro amministratore.',
+ 'moderation_group_subject' => 'Nuovo gruppo creato: :name',
+ 'moderation_group_title' => 'Creazione di un nuovo gruppo:',
+ 'moderation_group_line1' => 'È stato creato un nuovo gruppo: \':nome\'.',
+ 'moderation_group_line2' => 'Questo gruppo potrebbe richiedere la tua moderazione, se non è ancora stato moderato da un altro amministratore.',
+ 'new_user_subject' => 'Registrazione di un nuovo utente',
+ 'new_user_title' => 'Un nuovo utente si è unito alla comunità:',
+ 'new_user_line1' => 'Un nuovo utente \":nome\" si è unito alla comunità di Restarters.',
+ 'user_deleted_subject' => 'Utente eliminato',
+ 'user_deleted_title' => 'L\'utente ha cancellato il proprio account:',
+ 'user_deleted_line1' => 'L\'utente \":nome\" ha cancellato il proprio account Restarters.',
+ 'wordpress_create_event_failure_subject' => 'Evento Guasto WordPress',
+ 'wordpress_create_event_failure_title' => 'Evento non riuscito a creare un nuovo post di WordPress:',
+ 'wordpress_create_event_failure_line1' => 'L\'evento \':name\' non è riuscito a creare un post di WordPress durante l\'approvazione dell\'amministratore.',
+ 'wordpress_create_group_failure_subject' => 'Fallimento del gruppo WordPress',
+ 'wordpress_create_group_failure_title' => 'Il gruppo non è riuscito a creare un nuovo post di WordPress:',
+ 'wordpress_create_group_failure_line1' => 'Errore nella creazione della pagina di gruppo per \':nome\' su WordPress.',
+ 'wordpress_edit_event_failure_subject' => 'Evento Guasto WordPress',
+ 'wordpress_edit_event_failure_title' => 'L\'evento non è riuscito a salvare in un post WordPress esistente:',
+ 'wordpress_edit_event_failure_line1' => 'L\'evento \':nome\' non è stato pubblicato su WordPress durante una modifica dell\'evento.',
+ 'wordpress_edit_group_failure_subject' => 'Fallimento del gruppo WordPress',
+ 'wordpress_edit_group_failure_title' => 'Il gruppo non è riuscito a salvare in un post WordPress esistente:',
+ 'wordpress_edit_group_failure_line1' => 'Il gruppo \':nome\' non è riuscito a pubblicare su WordPress durante una modifica del gruppo.',
+ 'wordpress_delete_event_failed_subject' => 'Errore nella cancellazione dell\'evento da WordPress: :name',
+ 'wordpress_delete_event_failed_title' => 'Cancellazione non riuscita dell\'evento :name per :group da WordPress',
+ 'wordpress_delete_event_failed_line1' => 'Cancellazione evento fallita per :name da :group.',
+ 'wordpress_delete_event_failed_line2' => 'Trovare ed eliminare manualmente questo evento da WordPress.',
+ 'admin_no_devices_subject' => 'Evento recente senza dispositivi aggiunti',
+ 'admin_no_devices_title' => 'È necessaria la moderazione per gli eventi senza dispositivi:',
+ 'admin_no_devices_line1' => 'La tua moderazione è necessaria per \':nome\'.',
+ 'admin_no_devices_line2' => 'Non sono stati aggiunti dispositivi per questo evento.',
];
diff --git a/lang/instances/base/it/onboarding.php b/lang/instances/base/it/onboarding.php
index c0fb970fda..a1eccf18e1 100644
--- a/lang/instances/base/it/onboarding.php
+++ b/lang/instances/base/it/onboarding.php
@@ -1,13 +1,13 @@
'Benvenuto!',
- 'slide1_content' => '
',
- 'slide3_heading' => 'Iniziamo!',
- 'slide3_content' => '
',
+ 'slide3_content' => '
',
+ 'interested_starting' => 'Wil je je eigen community repair groep starten?',
+ 'interested_details' => '',
+ 'read_less' => '
READ LESS',
+ 'calendar_google' => 'Google Agenda',
+ 'calendar_outlook' => 'Outlook',
+ 'calendar_ical' => 'iCal',
+ 'calendar_yahoo' => 'Yahoo Agenda',
+ 'confirm_delete' => 'Weet je zeker dat je deze gebeurtenis wilt verwijderen?',
+ 'RSVP' => 'RSVP',
+ 'form_error' => 'Controleer het formulier hierboven op fouten.',
+ 'your_events' => 'Uw evenementen',
+ 'validate_location' => 'Locatie moet aanwezig zijn, tenzij het evenement online plaatsvindt.',
+ 'other_events' => 'Andere evenementen',
+ 'online' => 'Online',
+ 'duplicate_event' => 'Dubbele gebeurtenis',
+ 'discourse_invite' => 'We hebben je toegevoegd aan een thread voor dit evenement.',
+ 'field_venue_placeholder' => 'Voer uw adres in',
+ 'field_venue_use_group' => 'Gebruik groepslocatie',
+ 'talk_thread' => 'Gesprek over evenement bekijken',
+ 'search_title_placeholder' => 'Zoek titel...',
+ 'search_country_placeholder' => 'Land...',
+ 'search_start_placeholder' => 'Van...',
+ 'search_end_placeholder' => 'Om...',
+ 'invite_when_approved' => 'Je kunt alleen vrijwilligers uitnodigen als dit evenement is goedgekeurd',
+ 'field_event_link_helper' => 'Optionele weblink',
+ 'field_event_link' => 'Evenement link',
+ 'address_error' => 'Het ingevoerde adres kon niet worden gevonden. Probeer een algemener adres en voer meer specifieke adresgegevens in bij de beschrijving van het evenement.',
+ 'before_submit_text_autoapproved' => 'Wanneer je deze gebeurtenis aanmaakt of opslaat, wordt deze openbaar gemaakt.',
+ 'created_success_message_autoapproved' => 'Evenement gemaakt! Het is nu openbaar.',
+ 'no_location' => 'Je hebt momenteel geen stad ingesteld. Je kunt er een instellen inje profiel.',
+ 'review_requested' => 'Bedankt - alle Restarters die aanwezig waren hebben een bericht ontvangen',
+ 'review_requested_permissions' => 'Sorry - je hebt niet de juiste rechten voor deze actie',
+ 'you_have_joined' => 'Je bent lid geworden van:naam',
+ 'discourse_intro' => 'Dit is een privédiscussie voor vrijwilligers op het:name-evenementdat wordt gehouden door:groupname op :start tot :end.
+
+We kunnen deze thread voorafgaand aan het evenement gebruiken om de logistiek te bespreken en achteraf om de reparaties die we hebben uitgevoerd te bespreken.
+
+(Dit is een geautomatiseerd bericht.)',
+ 'invite_invalid_emails' => 'Er zijn ongeldige e-mails ingevuld, dus er zijn geen meldingen verzonden - verstuur je uitnodiging opnieuw. De ongeldige e-mails waren: :emails',
+ 'invite_success' => 'Uitnodigingen verstuurd!',
+ 'invite_noemails' => 'Je hebt geen e-mails ingevoerd!',
+ 'invite_invalid' => 'Er is iets misgegaan - deze uitnodiging is ongeldig of verlopen',
+ 'invite_cancelled' => 'Je neemt niet langer deel aan dit evenement.',
+ 'image_delete_success' => 'Bedankt, de afbeelding is verwijderd.',
+ 'image_delete_error' => 'Sorry, maar de afbeelding kan niet worden verwijderd.',
+ 'delete_permission' => 'Je hebt geen toestemming om deze gebeurtenis te verwijderen.',
+ 'delete_success' => 'Gebeurtenis is verwijderd.',
+ 'geocode_failed' => 'Locatie niet gevonden. Als je de locatie van je evenement niet kunt vinden, probeer dan een meer algemene locatie (zoals dorp/stad), of een specifiek adres in plaats van een gebouwnaam.',
+ 'create_failed' => 'Gebeurtenis konnietworden gemaakt. Bekijk de gemelde fouten, corrigeer ze en probeer het opnieuw.',
+ 'edit_failed' => 'Gebeurtenis kon niet worden bewerkt.',
+];
diff --git a/lang/instances/base/nl/general.php b/lang/instances/base/nl/general.php
new file mode 100644
index 0000000000..5a23b27ed8
--- /dev/null
+++ b/lang/instances/base/nl/general.php
@@ -0,0 +1,41 @@
+ 'Rapportage',
+ 'general' => 'Algemeen',
+ 'menu_tools' => 'Hulpmiddelen voor de gemeenschap',
+ 'menu_other' => 'Andere koppelingen',
+ 'help_feedback_url' => 'https://talk.restarters.net/c/help',
+ 'faq_url' => 'https://therestartproject.org/faq',
+ 'restartproject_url' => 'https://therestartproject.org',
+ 'other_profile' => 'profiel',
+ 'email_alerts_pref1' => 'Ik wil graag de maandelijkse nieuwsbrief van The Restart Project ontvangen',
+ 'email_alerts_pref2' => 'Ik wil graag e-mailmeldingen ontvangen over evenementen of groepen bij mij in de buurt',
+ 'login' => 'Inloggen',
+ 'profile' => 'Jouw profiel',
+ 'profile_content' => 'Deel wat informatie over jezelf, zodat je in contact kunt komen met andere organisatoren en fixers, en zodat we de community beter kunnen begrijpen',
+ 'logout' => 'Afmelden',
+ 'new_group' => 'Een nieuwe groep maken',
+ 'alert_uptodate' => 'Bedankt! Je bent up-to-date',
+ 'alert_uptodate_text' => 'Je hoeft nu niets te doen. Wanneer je dat wel doet, laten we het je weten.',
+ 'signmeup' => 'Schrijf me in!',
+ 'introduction_message' => 'Wij zijn een wereldwijde gemeenschap van mensen die anderen helpen hun elektronica te repareren tijdens gemeenschapsevenementen. Doe met ons mee!',
+ 'your_name' => 'Uw naam',
+ 'your_name_validation' => 'Voer uw naam in',
+ 'repair_skills' => 'Vaardigheden',
+ 'repair_skills_content' => 'Dit is optioneel, maar helpt ons jouw ervaring te verbeteren - welke vaardigheden heb je en zou je graag met anderen willen delen?',
+ 'your_repair_skills' => 'Jouw vaardigheden',
+ 'save_repair_skills' => 'Vaardigheden opslaan',
+ 'email_alerts' => 'E-mails en waarschuwingen',
+ 'email_alerts_text' => 'Kies welke e-mailupdates je wilt ontvangen. Je kunt deze te allen tijde wijzigen. Ons privacybeleid is hier beschikbaar',
+ 'menu_discourse' => 'Praat',
+ 'menu_wiki' => 'Wiki',
+ 'menu_repair_guides' => 'Reparatiegidsen',
+ 'menu_help_feedback' => 'Hulp en feedback',
+ 'menu_faq' => 'FAQs',
+ 'therestartproject' => 'Het herstartproject',
+ 'calendar_feed_help_url' => '/t/fixometer-hoe-inschrijven-op-een-kalender',
+ 'menu_fixometer' => 'Fixometer',
+ 'menu_events' => 'Evenementen',
+ 'menu_groups' => 'Groepen',
+];
diff --git a/lang/instances/base/nl/group-audits.php b/lang/instances/base/nl/group-audits.php
new file mode 100644
index 0000000000..e6b2f57d5e
--- /dev/null
+++ b/lang/instances/base/nl/group-audits.php
@@ -0,0 +1,34 @@
+ 'Er zijn geen wijzigingen aangebracht in deze groep!',
+ 'created' => [
+ 'metadata' => 'Op :audit_created_at, :user_name aangemaakt record:audit_url',
+ 'modified' => [
+ 'name' => 'Naamingesteld als \":new\"',
+ 'website' => 'Websiteingesteld als \":new\"',
+ 'area' => 'Gebiedingesteld als \":new\"',
+ 'country' => 'Landingesteld als \":new\"',
+ 'location' => 'Locatieingesteld als \":new\"',
+ 'latitude' => 'Breedtegraadingesteld als \":new\"',
+ 'longitude' => 'Lengteingesteld als \":new\"',
+ 'free_text' => 'Vrije tekstingesteld als \":new\"',
+ 'idgroups' => 'Groep IDingesteld als \":new\"',
+ 'wordpress_post_id' => 'Wordpress post IDingesteld als \":new\"',
+ ],
+ ],
+ 'updated' => [
+ 'metadata' => 'Op :audit_created_at, :user_name bijgewerkte record:audit_url',
+ 'modified' => [
+ 'name' => 'Naamis gewijzigd van \":oud\" in \":nieuw\"',
+ 'website' => 'Websiteis gewijzigd van \":oud\" naar \":nieuw\"',
+ 'area' => 'Gebiedis gewijzigd van \":oud\" naar \":nieuw\"',
+ 'country' => 'Landis gewijzigd van \":oud\" in \":nieuw\"',
+ 'location' => 'Locatieis gewijzigd van \":oud\" naar \":nieuw\"',
+ 'latitude' => 'Breedtegraadis gewijzigd van \":oud\" naar \":nieuw\"',
+ 'longitude' => 'Lengteis gewijzigd van \":oud\" naar \":nieuw\"',
+ 'free_text' => 'Vrije tekstis gewijzigd van \":oud\" in \":nieuw\"',
+ 'wordpress_post_id' => 'Wordpress post IDis gewijzigd van \":oud\" naar \":nieuw\"',
+ ],
+ ],
+];
diff --git a/lang/instances/base/nl/group-tags.php b/lang/instances/base/nl/group-tags.php
new file mode 100644
index 0000000000..58960b7f53
--- /dev/null
+++ b/lang/instances/base/nl/group-tags.php
@@ -0,0 +1,9 @@
+ 'Groep Tag succesvol aangemaakt!',
+ 'update_success' => 'Groep Tag succesvol bijgewerkt!',
+ 'delete_success' => 'Groep Tag verwijderd!',
+ 'title' => 'Groep tags',
+ 'edit_tag' => 'Groep Tag Bewerken',
+];
diff --git a/lang/instances/base/nl/groups.php b/lang/instances/base/nl/groups.php
new file mode 100644
index 0000000000..744cf1723c
--- /dev/null
+++ b/lang/instances/base/nl/groups.php
@@ -0,0 +1,189 @@
+ '
READ LESS',
+ 'group_facts' => 'Prestaties van de groep',
+ 'events' => 'gebeurtenis|gebeurtenissen',
+ 'no_volunteers' => 'Er zijn geen vrijwilligers in deze groep',
+ 'remove_volunteer' => 'Vrijwilliger verwijderen',
+ 'remove_host_role' => 'Host rol verwijderen',
+ 'make_host' => 'Host maken',
+ 'not_counting' => 'Niet meetellen voor de milieubelasting van deze groep is|Niet meetellen voor de milieubelasting van deze groep zijn',
+ 'calendar_copy_title' => 'Toegang tot alle groepsevenementen in je persoonlijke agenda',
+ 'calendar_copy_description' => 'Voeg alle komende evenementen voor :group toe aan je Google/Outlook/Yahoo/Apple agenda met de onderstaande link:',
+ 'volunteers_invited' => 'Vrijwilligers uitgenodigd',
+ 'volunteers_confirmed' => 'Vrijwilligers bevestigd',
+ 'participants_attended' => 'Deelnemers',
+ 'volunteers_attended' => 'Vrijwilligers',
+ 'co2_emissions_prevented' => 'CO2-uitstoot voorkomen',
+ 'fixed_items' => 'Vaste items',
+ 'repairable_items' => 'Repareerbare items',
+ 'end_of_life_items' => 'Items aan het einde van hun levensduur',
+ 'no_unpowered_stats' => 'Op dit moment worden deze statistieken alleen weergegeven voor aangedreven voorwerpen. We hopen binnenkort ook ongemotoriseerde voorwerpen te kunnen weergeven.',
+ 'all_groups_mobile' => 'Alle',
+ 'create_groups_mobile2' => 'Nieuw toevoegen',
+ 'groups_title1_mobile' => 'Hoogachtend',
+ 'groups_title2_mobile' => 'Dichtstbijzijnde',
+ 'join_group_button_mobile' => 'Ik wil volgen',
+ 'no_groups_mine' => 'Als je er hier nog geen ziet, waarom volg je dan nietjouw dichtstbijzijnde groepom te horen over hun aankomende reparatie-evenementen?',
+ 'no_groups_nearest_no_location' => '
+
',
+ 'whatis' => 'Welkom bij de Restarters-community',
+ 'more' => 'Lees meer',
+ 'stat_1' => 'Vaste apparaten',
+ 'stat_2' => 'CO2emissies voorkomen',
+ 'stat_3' => 'Afval voorkomen',
+ 'stat_4' => 'Gebeurtenissen',
+ 'login_title' => 'Aanmelden',
+ 'join_title' => 'Word lid van Restarters',
+ 'join_title_short' => 'Word lid van',
+];
diff --git a/lang/instances/base/nl/networks.php b/lang/instances/base/nl/networks.php
new file mode 100644
index 0000000000..95590d3cd2
--- /dev/null
+++ b/lang/instances/base/nl/networks.php
@@ -0,0 +1,42 @@
+ 'Netwerken',
+ 'network' => 'Netwerk',
+ 'general' => [
+ 'networks' => 'Netwerken',
+ 'network' => 'Netwerk',
+ 'particular_network' => ':networkName netwerk',
+ 'groups' => 'Groepen',
+ 'about' => 'Over',
+ 'count' => 'Er zijn momenteel :count-groepen in het :name-netwerk.Bekijk deze groepen.',
+ 'actions' => 'Netwerkacties',
+ 'coordinators' => 'Netwerkcoördinatoren',
+ ],
+ 'index' => [
+ 'your_networks' => 'Uw netwerken',
+ 'your_networks_explainer' => 'Dit zijn de netwerken waarvoor je een coördinator bent.',
+ 'your_networks_no_networks' => 'Je bent geen coördinator van netwerken.',
+ 'all_networks' => 'Alle netwerken',
+ 'all_networks_explainer' => 'Alle netwerken in het systeem (alleen voor beheerders).',
+ 'all_networks_no_networks' => 'Er zijn geen netwerken in het systeem.',
+ 'description' => 'Beschrijving',
+ ],
+ 'show' => [
+ 'about_modal_header' => 'Over :naam',
+ 'add_groups_menuitem' => 'Groepen toevoegen',
+ 'add_groups_modal_header' => 'Groepen toevoegen aan :name',
+ 'add_groups_select_label' => 'Kies groepen om toe te voegen',
+ 'add_groups_save_button' => 'Voeg toe',
+ 'add_groups_warning_none_selected' => 'Geen groepen geselecteerd.',
+ 'add_groups_success' => ':aantal groep(en) toegevoegd.',
+ 'view_groups_menuitem' => 'Groepen bekijken',
+ ],
+ 'edit' => [
+ 'label_logo' => 'Netwerk logo',
+ 'button_save' => 'Wijzigingen opslaan',
+ 'add_new_field' => 'Nieuw veld toevoegen',
+ 'new_field_name' => 'Nieuwe veldnaam',
+ 'add_field' => 'Veld toevoegen',
+ ],
+];
diff --git a/lang/instances/base/nl/notifications.php b/lang/instances/base/nl/notifications.php
new file mode 100644
index 0000000000..ef9c56812c
--- /dev/null
+++ b/lang/instances/base/nl/notifications.php
@@ -0,0 +1,102 @@
+ 'Meldingen',
+ 'view_all' => 'Alle meldingen weergeven',
+ 'mark_as_read' => 'Markeren als gelezen',
+ 'marked_as_read' => 'Gemarkeerd als gelezen',
+ 'mark_all_as_read' => 'Markeer alle meldingen als gelezen',
+ 'greeting' => 'Hallo!',
+ 'view_event' => 'Bekijk evenement',
+ 'view_group' => 'Bekijk groep',
+ 'view_profile' => 'Bekijk profiel',
+ 'email_footer' => 'Als je vragen of problemen hebt, neem dan contact op metcommunity@therestartproject.org',
+ 'new_event_photos_subject' => 'Nieuwe evenementfoto\'s geüpload naar evenement: :event',
+ 'email_preferences' => 'Als je deze e-mails niet meer wilt ontvangen, ga dan naarje voorkeurenin je account.',
+ 'event_confirmed_title' => 'Evenement Bevestigd',
+ 'event_confirmed_subject' => 'Evenement Bevestigd :time',
+ 'event_confirmed_line1' => 'Je evenement :naam is bevestigd door een beheerder. Deze is nu openbaar beschikbaar op:url.',
+ 'event_devices_title' => 'Apparaten bijdragen',
+ 'event_devices_subject' => 'Apparaten bijdragen',
+ 'event_devices_line1' => 'Bedankt voor het organiseren van het evenement :evenement, help ons alstublieft om te bepalen welke apparaten naar het evenement zijn gekocht en wat de status van hun reparatie is. Dit zal ons helpen de kwaliteit van onze gegevens te verbeteren.',
+ 'event_devices_action' => 'Gegevens bijdragen',
+ 'event_repairs_title' => 'Help ons reparatie-informatie te loggen voor :name',
+ 'event_repairs_subject' => 'Help ons reparatie-informatie te loggen voor :name',
+ 'event_repairs_line1' => 'Bedankt voor het repareren tijdens het \':naam\' evenement. De host heeft foto\'s geplaatst van feedback van deelnemers en reparatiegegevens. Help ons alsjeblieft om de details van de reparaties die je hebt uitgevoerd te verbeteren door nuttige informatie of foto\'s toe te voegen. Alle extra details die je kunt toevoegen zullen toekomstige reparatiepogingen helpen.',
+ 'event_repairs_action' => 'Reparatie-info toevoegen',
+ 'group_confirmed_subject' => 'Groep Bevestigd',
+ 'group_confirmed_line1' => 'Je groep \':naam\' is bevestigd door een beheerder.',
+ 'join_event_title' => 'Je bent uitgenodigd voor een evenement:',
+ 'join_event_subject' => 'U bent uitgenodigd voor een :groepsnaam-evenement',
+ 'join_event_line1' => ':inviter heeft u uitgenodigd om deel te nemen aan een :groepsnaam reparatie evenement.',
+ 'join_event_date' => 'Datum:',
+ 'join_event_time' => 'Tijd:',
+ 'join_event_location' => 'Locatie:',
+ 'join_event_ignore' => 'Als je denkt dat deze uitnodiging niet voor jou bedoeld is, kun je deze e-mail negeren.',
+ 'join_event_rsvp_now' => 'Nu RSVP',
+ 'join_event_view' => 'Bekijk evenement',
+ 'join_group_title' => 'Uitnodiging van :naam om :groep te volgen',
+ 'join_group_intro' => 'Je hebt deze e-mail ontvangen omdat je door :naam bent uitgenodigd om de community reparatiegroep:groepop restarters.net te volgen.',
+ 'join_group_action' => 'Klik om groep te volgen',
+ 'join_group_ignore' => 'Als je denkt dat deze uitnodiging niet voor jou bedoeld is, kun je deze e-mail negeren.',
+ 'join_group_attached' => ':naam dit bericht bij de uitnodiging:',
+ 'join_group_more' => 'Je kunt hier meer te weten komen over restarters.net.',
+ 'new_member_subject' => 'Nieuw groepslid gevolgd :naam',
+ 'new_member_title' => 'Een nieuwe vrijwilliger, :naam, is gevolgd',
+ 'new_member_line1' => 'Een nieuwe vrijwilliger, :user, heeft je groep \':groep\' gevolgd.',
+ 'new_member_action' => 'Ga naar groep',
+ 'new_group_subject' => 'Er is een nieuwe reparatiegroep bij jou in de buurt',
+ 'new_group_title' => 'Een nieuwe reparatiegroep bij jou in de buurt:',
+ 'new_group_line1' => 'Een nieuwe groep bij jou in de buurt, :name, is net actief geworden op Restarters.net.',
+ 'new_group_action' => 'Ontdek meer over :name',
+ 'new_event_subject' => 'Nieuwe gebeurtenis voor :naam op :tijd',
+ 'new_event_title' => 'Er is een nieuwe gebeurtenis aangemaakt voor groep :naam:',
+ 'new_event_line1' => 'Er is een nieuw evenement toegevoegd aan je groep: \':naam\'.',
+ 'password_reset_subject' => 'Wachtwoord opnieuw instellen',
+ 'password_reset_line1' => 'Je ontvangt deze e-mail omdat we een verzoek hebben ontvangen om je wachtwoord opnieuw in te stellen.',
+ 'password_reset_action' => 'Wachtwoord opnieuw instellen',
+ 'password_reset_noaction' => 'Als u geen wachtwoord opnieuw heeft aangevraagd, hoeft u verder niets te doen.',
+ 'rsvp_subject' => ':naam heeft gerespondeerd voor uw evenement',
+ 'rsvp_title' => ': heeft een RSVP ingediend voor je evenement:',
+ 'rsvp_line1' => 'Een vrijwilliger, :user, heeft gereserveerd voor het evenement \':event\'.',
+ 'rsvp_action' => 'Uw evenement bekijken',
+ 'abnormal_devices_subject' => 'Abnormaal aantal diverse apparaten',
+ 'abnormal_devices_title' => 'Event heeft abnormaal aantal diverse apparaten:',
+ 'abnormal_devices_line1' => 'De gebeurtenis \':naam\' heeft een abnormaal aantal diverse apparaten. Controleer de gebeurtenis en los dit probleem op.',
+ 'moderation_event_subject' => 'Nieuwe gebeurtenis voor :name',
+ 'moderation_event_line1' => 'Er is een nieuwe gebeurtenis aangemaakt: \':naam\'.',
+ 'moderation_event_line2' => 'Dit evenement heeft misschien jouw moderatie nodig, als jouw netwerk evenementen modereert en het nog niet gemodereerd is door een andere beheerder.',
+ 'moderation_event_photos_subject' => 'Nieuwe evenementfoto\'s geüpload naar evenement: :event',
+ 'moderation_event_photos_line1' => 'Er zijn foto\'s geüpload naar een evenement: \':naam\'.',
+ 'moderation_event_photos_line2' => 'Deze foto\'s hebben misschien jouw moderatie nodig, als ze nog niet gemodereerd zijn door een andere beheerder.',
+ 'moderation_group_subject' => 'Nieuwe groep aangemaakt: :name',
+ 'moderation_group_title' => 'Nieuwe groep aangemaakt:',
+ 'moderation_group_line1' => 'Er is een nieuwe groep gemaakt: \':naam\'.',
+ 'moderation_group_line2' => 'Deze groep heeft misschien jouw moderatie nodig, als deze nog niet gemodereerd is door een andere beheerder.',
+ 'new_user_subject' => 'Registratie nieuwe gebruiker',
+ 'new_user_title' => 'Nieuwe gebruiker heeft zich aangesloten bij de community:',
+ 'new_user_line1' => 'Een nieuwe gebruiker \":naam\" heeft zich aangesloten bij de Restarters gemeenschap.',
+ 'user_deleted_subject' => 'Gebruiker verwijderd',
+ 'user_deleted_title' => 'Gebruiker heeft zijn account verwijderd:',
+ 'user_deleted_line1' => 'De gebruiker \":naam\" heeft zijn Restarters-account verwijderd.',
+ 'wordpress_create_event_failure_subject' => 'Gebeurtenis WordPress storing',
+ 'wordpress_create_event_failure_title' => 'Gebeurtenis mislukt bij het maken van een nieuw WordPress bericht:',
+ 'wordpress_create_event_failure_line1' => 'Gebeurtenis \':naam\' slaagde er niet in een WordPress-post te maken tijdens goedkeuring door de beheerder.',
+ 'wordpress_create_group_failure_subject' => 'Groep WordPress mislukt',
+ 'wordpress_create_group_failure_title' => 'Het is de groep niet gelukt om een nieuwe WordPress-post te maken:',
+ 'wordpress_create_group_failure_line1' => 'Fout bij het maken van groepspagina voor \':naam\' op WordPress.',
+ 'wordpress_edit_event_failure_subject' => 'Gebeurtenis WordPress storing',
+ 'wordpress_edit_event_failure_title' => 'Gebeurtenis niet opgeslagen in een bestaand WordPress bericht:',
+ 'wordpress_edit_event_failure_line1' => 'Evenement \':naam\' kon niet naar WordPress worden gepost tijdens een bewerking van het evenement.',
+ 'wordpress_edit_group_failure_subject' => 'Groep WordPress mislukt',
+ 'wordpress_edit_group_failure_title' => 'Het is niet gelukt om de groep op te slaan in een bestaand WordPress bericht:',
+ 'wordpress_edit_group_failure_line1' => 'Groep \':naam\' kon niet posten naar WordPress tijdens een bewerking van de groep.',
+ 'wordpress_delete_event_failed_subject' => 'Gebeurtenis niet verwijderd uit WordPress: :naam',
+ 'wordpress_delete_event_failed_title' => 'Mislukt bij het verwijderen van gebeurtenis :naam door :groep uit WordPress',
+ 'wordpress_delete_event_failed_line1' => 'Gebeurtenis verwijderen mislukt voor :naam door :groep.',
+ 'wordpress_delete_event_failed_line2' => 'Zoek en verwijder deze gebeurtenis handmatig uit WordPress.',
+ 'admin_no_devices_subject' => 'Recent evenement zonder toegevoegde apparaten',
+ 'admin_no_devices_title' => 'Moderatie nodig bij evenement zonder apparaten:',
+ 'admin_no_devices_line1' => 'Je moderatie is nodig voor \':naam\'.',
+ 'admin_no_devices_line2' => 'Er zijn geen apparaten toegevoegd aan deze gebeurtenis.',
+];
diff --git a/lang/instances/base/nl/onboarding.php b/lang/instances/base/nl/onboarding.php
new file mode 100644
index 0000000000..23aeb92fa9
--- /dev/null
+++ b/lang/instances/base/nl/onboarding.php
@@ -0,0 +1,13 @@
+ '
',
+ 'slide3_content' => '
-
',
- 'more' => 'Find out more',
- 'stat_1' => 'Devices fixed',
- 'stat_2' => 'CO2 emissions prevented',
- 'stat_3' => 'Waste prevented',
- 'stat_4' => 'Events held',
- 'login_title' => 'Sign in',
-];
diff --git a/lang/instances/base/no/onboarding.php b/lang/instances/base/no/onboarding.php
deleted file mode 100644
index eb33e10b95..0000000000
--- a/lang/instances/base/no/onboarding.php
+++ /dev/null
@@ -1,13 +0,0 @@
- 'Welcome!',
- 'slide1_content' => '
',
- 'slide3_heading' => 'Let\'s get started!',
- 'slide3_content' => '
+Sie möchten eine Veranstaltung organisieren, Ihre Fähigkeiten anbieten oder etwas reparieren lassen? Wir haben das Richtige für Sie.',
+ 'landing_1_alt' => 'Menschen versammeln sich um Tische und reparieren elektronische Geräte und Textilien bei einer Gemeinschaftsreparaturveranstaltung.',
+ 'landing_2_alt' => 'Zwei junge Mädchen arbeiten zusammen, um einen Videospiel-Controller mit kleinen Werkzeugen zu reparieren.',
+ 'landing_3_alt' => 'Menschen versammeln sich um einen Tisch und benutzen Werkzeuge, um elektronische Geräte zu reparieren, wobei sie sich auf Smartphone-Komponenten konzentrieren.',
+ 'network_start_url' => 'mailto:community@ifixit.com',
+];
diff --git a/lang/instances/fixitclinic/de/login.php b/lang/instances/fixitclinic/de/login.php
new file mode 100644
index 0000000000..8821bc5fc5
--- /dev/null
+++ b/lang/instances/fixitclinic/de/login.php
@@ -0,0 +1,6 @@
+ 'Willkommen bei der Fixit Clinic Community!',
+ 'join_title' => 'Fixit Clinic beitreten',
+];
diff --git a/lang/instances/fixitclinic/de/notifications.php b/lang/instances/fixitclinic/de/notifications.php
new file mode 100644
index 0000000000..db5afec2c7
--- /dev/null
+++ b/lang/instances/fixitclinic/de/notifications.php
@@ -0,0 +1,10 @@
+ 'Wenn Sie Fragen oder Probleme haben, wenden Sie sich bitte ancommunity@ifixit.com',
+ 'join_group_intro' => 'Sie haben diese E-Mail erhalten, weil Sie von :name eingeladen wurden, der Community-Reparaturgruppe:Gruppezu folgen.',
+ 'join_group_more' => 'Mehr über die Reparatur in der Gemeindeerfahren Sie hier.',
+ 'new_group_line1' => 'Eine neue Gruppe in Ihrer Nähe, :name, ist gerade aktiv geworden.',
+ 'new_user_line1' => 'Ein neuer Benutzer \":name\" ist der Gemeinschaft beigetreten.',
+ 'user_deleted_line1' => 'Der Benutzer \":name\" hat sein Konto gelöscht.',
+];
diff --git a/lang/instances/fixitclinic/de/partials.php b/lang/instances/fixitclinic/de/partials.php
new file mode 100644
index 0000000000..12127da370
--- /dev/null
+++ b/lang/instances/fixitclinic/de/partials.php
@@ -0,0 +1,5 @@
+ 'Das Neueste aus unserem Community-Blog',
+];
diff --git a/lang/instances/fixitclinic/de/registration.php b/lang/instances/fixitclinic/de/registration.php
new file mode 100644
index 0000000000..cab9619d2d
--- /dev/null
+++ b/lang/instances/fixitclinic/de/registration.php
@@ -0,0 +1,11 @@
+ 'Welche Fähigkeiten würden Sie gerne mit anderen auf iFixit teilen?',
+ 'reg-step-3-1a' => 'Wir können Ihnen E-Mail-Updates über Veranstaltungen und Gruppen, die Sie betreffen, sowie über iFixit im Allgemeinen senden.',
+ 'reg-step-3-label1' => 'Ich möchte den monatlichen Newsletter erhalten',
+ 'reg-step-3-label2' => 'Ich möchte per E-Mail über Veranstaltungen oder Gruppen in meiner Nähe benachrichtigt werden',
+ 'reg-step-4-label1' => 'Persönliche Daten. Ich erkläre mich damit einverstanden, dass iFixit meine persönlichen Daten intern verwendet, um mich in der Community zu registrieren, die Quelle der Reparaturdaten zu überprüfen und die Erfahrungen der Freiwilligen zu verbessern. Mir ist bekannt, dass mein persönliches Profil für andere Community-Mitglieder sichtbar ist, jedoch werden die angegebenen persönlichen Daten niemals ohne meine Zustimmung an Dritte weitergegeben. Mir ist bekannt, dass ich mein Profil und alle meine persönlichen Daten jederzeit löschen kann - und dass ich hierdie Datenschutzbestimmungen der Gemeinschaft einsehen kann.',
+ 'reg-step-4-label2' => 'Reparaturdaten. Indem ich Reparaturdaten zum Fixometer beisteuere, gewähre ich iFixit eine unbefristete, gebührenfreie Lizenz zur Nutzung dieser Daten. Die Lizenz erlaubt es iFixit, die Daten unter jeder offenen Lizenz zu verbreiten und alle nicht-personenbezogenen Daten zu behalten, selbst wenn ich die Löschung meines persönlichen Profils auf dem Fixometer beantrage) (Lesen Sie hier{mehr darüber, wie wir Reparaturdaten verwenden)',
+ 'complete-profile' => 'Mein Profil vervollständigen',
+];
diff --git a/lang/instances/fixitclinic/es/dashboard.php b/lang/instances/fixitclinic/es/dashboard.php
new file mode 100644
index 0000000000..b0c70e33eb
--- /dev/null
+++ b/lang/instances/fixitclinic/es/dashboard.php
@@ -0,0 +1,12 @@
+ '¡Bienvenido a la Comunidad Clínica Fixit!',
+ 'getting_the_most_intro' => 'Se trata de una plataforma gratuita de código abierto para una comunidad mundial de personas que organizan eventos locales de reparación y hacen campaña por nuestro Derecho a Reparar.',
+ 'getting_the_most_bullet1' => 'Ponte manos a la obra:sigue al grupo de reparación de tu comunidad más cercanay repasa o comparte tus conocimientos con nuestrasguías de reparación.',
+ 'getting_the_most_bullet2' => 'Ponte a organizar:aprenda a organizar un evento de reparación.',
+ 'getting_the_most_bullet3' => 'Consigue piezas:busca piezas para arreglar tu aparato roto.',
+ 'getting_the_most_bullet4' => 'Sea analítico: vea nuestro impacto enel Fijómetro.',
+ 'sidebar_intro_1' => 'Somos una comunidad mundial de personas que organizan eventos locales de reparación y hacen campaña por nuestro Derecho a Reparar. Este sitio utiliza Restarters.net, un conjunto de herramientas gratuitas de código abierto.',
+ 'interested_details' => '
+¿Quieres organizar un evento, ofrecer tus habilidades como voluntario o arreglar algo? Nosotros te ayudamos.',
+ 'landing_1_alt' => 'Personas reunidas en torno a mesas reparando aparatos electrónicos y textiles en un acto de reparación comunitaria.',
+ 'landing_2_alt' => 'Dos chicas jóvenes trabajan juntas para reparar un mando de videojuegos utilizando pequeñas herramientas.',
+ 'landing_3_alt' => 'Personas reunidas en torno a una mesa utilizando herramientas para reparar dispositivos electrónicos, centrándose en los componentes de los smartphones.',
+ 'network_start_url' => 'mailto:community@ifixit.com',
+];
diff --git a/lang/instances/fixitclinic/es/login.php b/lang/instances/fixitclinic/es/login.php
new file mode 100644
index 0000000000..37a3db1cde
--- /dev/null
+++ b/lang/instances/fixitclinic/es/login.php
@@ -0,0 +1,6 @@
+ '¡Bienvenido a la Comunidad Clínica Fixit!',
+ 'join_title' => 'Únete a la Clínica Fixit',
+];
diff --git a/lang/instances/fixitclinic/es/notifications.php b/lang/instances/fixitclinic/es/notifications.php
new file mode 100644
index 0000000000..2439df90c7
--- /dev/null
+++ b/lang/instances/fixitclinic/es/notifications.php
@@ -0,0 +1,10 @@
+ 'Si tiene alguna pregunta o problema, póngase en contacto concommunity@ifixit.com',
+ 'join_group_intro' => 'Ha recibido este correo electrónico porque ha sido invitado por :nombre a seguir el grupo de reparación de la comunidad:grupo.',
+ 'join_group_more' => 'Puede obtener más información sobre la reparación comunitariaaquí.',
+ 'new_group_line1' => 'Un nuevo grupo cerca de ti, :nombre, acaba de activarse.',
+ 'new_user_line1' => 'Un nuevo usuario \":nombre\" se ha unido a la comunidad.',
+ 'user_deleted_line1' => 'El usuario \":nombre\" ha eliminado su cuenta.',
+];
diff --git a/lang/instances/fixitclinic/es/partials.php b/lang/instances/fixitclinic/es/partials.php
new file mode 100644
index 0000000000..ec350f8abf
--- /dev/null
+++ b/lang/instances/fixitclinic/es/partials.php
@@ -0,0 +1,5 @@
+ 'Lo último de nuestro blog comunitario',
+];
diff --git a/lang/instances/fixitclinic/es/registration.php b/lang/instances/fixitclinic/es/registration.php
new file mode 100644
index 0000000000..5877314f8e
--- /dev/null
+++ b/lang/instances/fixitclinic/es/registration.php
@@ -0,0 +1,11 @@
+ '¿Qué habilidades te gustaría compartir con los demás en iFixit?',
+ 'reg-step-3-1a' => 'Podemos enviarte actualizaciones por correo electrónico sobre eventos y grupos relacionados contigo, y sobre iFixit en general.',
+ 'reg-step-3-label1' => 'Deseo recibir el boletín mensual',
+ 'reg-step-3-label2' => 'Me gustaría recibir notificaciones por correo electrónico sobre eventos o grupos cerca de mí',
+ 'reg-step-4-label1' => 'Datos personales. Doy mi consentimiento para que iFixit utilice mis datos personales internamente con el fin de registrarme en la comunidad, verificar la fuente de los datos de reparación y mejorar la experiencia de voluntariado. Entiendo que mi perfil personal será visible para otros miembros de la comunidad, sin embargo los datos personales proporcionados nunca serán compartidos con terceros sin mi consentimiento. Entiendo que puedo borrar mi perfil y todos mis datos personales en cualquier momento - y acceder a la Política de Privacidad de la comunidadaquí.',
+ 'reg-step-4-label2' => 'Datos de reparación. Al contribuir con datos de reparación al Fixometer, otorgo a iFixit una licencia perpetua libre de regalías para utilizarlos. La licencia permite a iFixit distribuir los datos bajo cualquier licencia abierta y conservar cualquier dato no personal incluso en el caso de que solicite la eliminación de mi perfil personal en el Fixometer) (Lea más sobre cómo utilizamos los datos de reparaciónaquí)',
+ 'complete-profile' => 'Completar mi perfil',
+];
diff --git a/lang/instances/fixitclinic/fr/dashboard.php b/lang/instances/fixitclinic/fr/dashboard.php
new file mode 100644
index 0000000000..6badb76cae
--- /dev/null
+++ b/lang/instances/fixitclinic/fr/dashboard.php
@@ -0,0 +1,12 @@
+ 'Bienvenue dans la communauté Fixit Clinic !',
+ 'getting_the_most_intro' => 'Il s\'agit d\'une plateforme gratuite, à code source ouvert, destinée à une communauté mondiale de personnes qui organisent des événements locaux de réparation et font campagne pour notre droit à la réparation.',
+ 'getting_the_most_bullet1' => 'Réparez:suivez le groupe de réparation communautaire le plus procheet perfectionnez ou partagez vos compétences avec nos guides de réparation.',
+ 'getting_the_most_bullet2' => 'Organisez-vous:apprendre à organiser un événement de réparation.',
+ 'getting_the_most_bullet3' => 'Obtenez des pièces détachées:recherchez des pièces pour réparer votre appareil.',
+ 'getting_the_most_bullet4' => 'Analysez: voyez notre impact dans {{HTMLTAG_15} le Fixomètre.',
+ 'sidebar_intro_1' => 'Nous sommes une communauté mondiale de personnes qui organisent des événements locaux de réparation et font campagne pour notre droit à la réparation. Ce site est alimenté par Restarters.net, une boîte à outils libre et gratuite.',
+ 'interested_details' => '
+Vous souhaitez organiser un événement, faire du bénévolat ou faire réparer quelque chose ? Nous avons ce qu\'il vous faut.',
+ 'landing_1_alt' => 'Des personnes se sont rassemblées autour de tables pour réparer des appareils électroniques et des textiles lors d\'un événement de réparation communautaire.',
+ 'landing_2_alt' => 'Deux jeunes filles travaillent ensemble à la réparation d\'une manette de jeu vidéo à l\'aide de petits outils.',
+ 'landing_3_alt' => 'Des personnes sont réunies autour d\'une table et utilisent des outils pour réparer des appareils électroniques, en particulier des composants de smartphones.',
+ 'network_start_url' => 'mailto:community@ifixit.com',
+];
diff --git a/lang/instances/fixitclinic/fr/login.php b/lang/instances/fixitclinic/fr/login.php
new file mode 100644
index 0000000000..7b09414d39
--- /dev/null
+++ b/lang/instances/fixitclinic/fr/login.php
@@ -0,0 +1,6 @@
+ 'Bienvenue dans la communauté Fixit Clinic !',
+ 'join_title' => 'Rejoindre Fixit Clinic',
+];
diff --git a/lang/instances/fixitclinic/fr/notifications.php b/lang/instances/fixitclinic/fr/notifications.php
new file mode 100644
index 0000000000..77f82becd1
--- /dev/null
+++ b/lang/instances/fixitclinic/fr/notifications.php
@@ -0,0 +1,10 @@
+ 'Si vous avez des questions ou des problèmes, veuillez contactercommunity@ifixit.com',
+ 'join_group_intro' => 'Vous avez reçu cet e-mail car vous avez été invité par :name à suivre le groupe de réparation communautaire:groupe.',
+ 'join_group_more' => 'Vous pouvez en savoir plus sur la réparation communautaireici.',
+ 'new_group_line1' => 'Un nouveau groupe près de chez vous, :name, vient de devenir actif.',
+ 'new_user_line1' => 'Un nouvel utilisateur \":name\" a rejoint la communauté.',
+ 'user_deleted_line1' => 'L\'utilisateur \":nom\" a supprimé son compte.',
+];
diff --git a/lang/instances/fixitclinic/fr/partials.php b/lang/instances/fixitclinic/fr/partials.php
new file mode 100644
index 0000000000..cb2e870082
--- /dev/null
+++ b/lang/instances/fixitclinic/fr/partials.php
@@ -0,0 +1,5 @@
+ 'Les dernières nouvelles de notre blog communautaire',
+];
diff --git a/lang/instances/fixitclinic/fr/registration.php b/lang/instances/fixitclinic/fr/registration.php
new file mode 100644
index 0000000000..63b16b5ce3
--- /dev/null
+++ b/lang/instances/fixitclinic/fr/registration.php
@@ -0,0 +1,11 @@
+ 'Quelles sont les compétences que vous aimeriez partager avec les autres sur iFixit ?',
+ 'reg-step-3-1a' => 'Nous pouvons vous envoyer des mises à jour par e-mail sur les événements et les groupes qui vous concernent, et sur iFixit en général.',
+ 'reg-step-3-label1' => 'Je souhaite recevoir la lettre d\'information mensuelle',
+ 'reg-step-3-label2' => 'Je souhaite recevoir des notifications par courrier électronique sur les événements ou les groupes organisés près de chez moi',
+ 'reg-step-4-label1' => 'Données personnelles. Je consens à ce qu\'iFixit utilise mes données personnelles en interne afin de m\'inscrire dans la communauté, de vérifier la source des données de réparation et d\'améliorer l\'expérience des bénévoles. Je comprends que mon profil personnel sera visible par les autres membres de la communauté, mais les données personnelles fournies ne seront jamais partagées avec des tiers sans mon consentement. Je sais que je peux supprimer mon profil et toutes mes données personnelles à tout moment - et accéder à la politique de confidentialité de la communautéici.',
+ 'reg-step-4-label2' => 'Données de réparation. En fournissant des données de réparation au Fixometer, je donne à iFixit une licence perpétuelle libre de droits pour les utiliser. La licence permet à iFixit de distribuer les données sous n\'importe quelle licence ouverte et de conserver toutes les données non personnelles même si je demande la suppression de mon profil personnel sur le Fixometer) (Pour en savoir plus sur l\'utilisation des données de réparation, cliquez ici)',
+ 'complete-profile' => 'Compléter mon profil',
+];
diff --git a/lang/instances/fixitclinic/it/dashboard.php b/lang/instances/fixitclinic/it/dashboard.php
new file mode 100644
index 0000000000..b6929ae129
--- /dev/null
+++ b/lang/instances/fixitclinic/it/dashboard.php
@@ -0,0 +1,12 @@
+ 'Benvenuti nella comunità di Fixit Clinic!',
+ 'getting_the_most_intro' => 'Si tratta di una piattaforma gratuita e open source per una comunità globale di persone che realizzano eventi di riparazione a livello locale e si battono per il nostro diritto alla riparazione.',
+ 'getting_the_most_bullet1' => 'Riparare: {Segui il gruppo di riparazione della comunità più vicinae ripassa o condividi le tue abilità con le nostre guide alla riparazione.',
+ 'getting_the_most_bullet2' => 'Organizzarsi:imparare a gestire un evento di riparazione.',
+ 'getting_the_most_bullet3' => 'Procuratevi i pezzi di ricambio:cerca i pezzi di ricambio per riparare il tuo dispositivo rotto.',
+ 'getting_the_most_bullet4' => 'Diventa analitico: vedi il nostro impatto nelFixometro.',
+ 'sidebar_intro_1' => 'Siamo una comunità globale di persone che organizzano eventi di riparazione a livello locale e si battono per il diritto alla riparazione. Questo sito è alimentato da Restarters.net, un toolkit gratuito e open source.',
+ 'interested_details' => '
+Wil je een evenement organiseren, je vaardigheden aanbieden of iets laten repareren? Wij hebben het voor je geregeld.',
+ 'landing_1_alt' => 'Mensen verzamelden zich rond tafels om elektronische apparaten en textiel te repareren tijdens een gemeenschapsevenement.',
+ 'landing_2_alt' => 'Twee jonge meisjes werken samen om een videogamecontroller te repareren met klein gereedschap.',
+ 'landing_3_alt' => 'Mensen verzamelden zich rond een tafel en gebruikten gereedschap om elektronische apparaten te repareren, met de nadruk op smartphone-onderdelen.',
+ 'network_start_url' => 'mailto:community@ifixit.com',
+];
diff --git a/lang/instances/fixitclinic/nl/login.php b/lang/instances/fixitclinic/nl/login.php
new file mode 100644
index 0000000000..3926c6ffb8
--- /dev/null
+++ b/lang/instances/fixitclinic/nl/login.php
@@ -0,0 +1,6 @@
+ 'Welkom bij de Fixit Clinic-gemeenschap!',
+ 'join_title' => 'Word lid van Fixit Clinic',
+];
diff --git a/lang/instances/fixitclinic/nl/notifications.php b/lang/instances/fixitclinic/nl/notifications.php
new file mode 100644
index 0000000000..4cbcb24db8
--- /dev/null
+++ b/lang/instances/fixitclinic/nl/notifications.php
@@ -0,0 +1,10 @@
+ 'Als je vragen of problemen hebt, neem dan contact op metcommunity@ifixit.com',
+ 'join_group_intro' => 'Je hebt deze e-mail ontvangen omdat je door :naam bent uitgenodigd om de community reparatiegroep:groepte volgen.',
+ 'join_group_more' => 'Je kunt hier meer te weten komen over community repair.',
+ 'new_group_line1' => 'Een nieuwe groep bij jou in de buurt, :name, is net actief geworden.',
+ 'new_user_line1' => 'Een nieuwe gebruiker \":naam\" heeft zich aangesloten bij de community.',
+ 'user_deleted_line1' => 'De gebruiker \":naam\" heeft zijn account verwijderd.',
+];
diff --git a/lang/instances/fixitclinic/nl/partials.php b/lang/instances/fixitclinic/nl/partials.php
new file mode 100644
index 0000000000..7dc3cc274d
--- /dev/null
+++ b/lang/instances/fixitclinic/nl/partials.php
@@ -0,0 +1,5 @@
+ 'Het laatste nieuws van onze gemeenschapsblog',
+];
diff --git a/lang/instances/fixitclinic/nl/registration.php b/lang/instances/fixitclinic/nl/registration.php
new file mode 100644
index 0000000000..d4766e79fd
--- /dev/null
+++ b/lang/instances/fixitclinic/nl/registration.php
@@ -0,0 +1,11 @@
+ 'Welke vaardigheden wil jij delen met anderen op iFixit?',
+ 'reg-step-3-1a' => 'We kunnen je e-mailupdates sturen over evenementen en groepen die betrekking hebben op jou, en over iFixit in het algemeen.',
+ 'reg-step-3-label1' => 'Ik wil graag de maandelijkse nieuwsbrief ontvangen',
+ 'reg-step-3-label2' => 'Ik wil graag e-mailmeldingen ontvangen over evenementen of groepen bij mij in de buurt',
+ 'reg-step-4-label1' => 'Persoonlijke gegevens. Ik geef iFixit toestemming om mijn persoonlijke gegevens intern te gebruiken om mij te registreren in de community, de bron van reparatiegegevens te verifiëren en de vrijwilligerservaring te verbeteren. Ik begrijp dat mijn persoonlijke profiel zichtbaar zal zijn voor andere leden van de community, maar persoonlijke gegevens zullen nooit worden gedeeld met derden zonder mijn toestemming. Ik begrijp dat ik mijn profiel en al mijn persoonlijke gegevens op elk gewenst moment kan verwijderen - en hierhet Privacybeleid van de communitykan bekijken.',
+ 'reg-step-4-label2' => 'Reparatiegegevens. Door reparatiegegevens aan de Fixometer bij te dragen, geef ik iFixit een eeuwigdurende royaltyvrije gebruikslicentie. De licentie staat iFixit toe om de gegevens te verspreiden onder elke open licentie en om alle niet-persoonlijke gegevens te behouden, zelfs in het geval ik verzoek om verwijdering van mijn persoonlijke profiel op de Fixometer) (Lees hier meer over hoe we reparatiegegevensgebruiken)',
+ 'complete-profile' => 'Mijn profiel vervolledigen',
+];
diff --git a/public/js/translations.js b/public/js/translations.js
index cd4da6b38c..ef4c15cdc7 100644
--- a/public/js/translations.js
+++ b/public/js/translations.js
@@ -1 +1 @@
-module.exports = {"de.admin":{"brand":"Brand","brand-name":"Brand name","brand_modal_title":"Add new brand","categories":"Categories","category_cluster":"Category Cluster","category_name":"Category name","co2_footprint":"CO2<\/sub> Footprint (kg)","create-new-brand":"Create new brand","create-new-category":"Create new category","create-new-skill":"Create new skill","create-new-tag":"Create new tag","delete-skill":"Delete skill","delete-tag":"Delete tag","description":"Description","description_optional":"Description (optional)","edit-brand":"Edit brand","edit-brand-content":"","edit-category":"Edit category","edit-category-content":"","edit-skill":"Edit skill","edit-skill-content":"","group-tags":"Group tags","name":"Name","reliability":"Reliability","reliability-1":"Very poor","reliability-2":"Poor","reliability-3":"Fair","reliability-4":"Good","reliability-5":"Very good","reliability-6":"N\/A","save-brand":"Save brand","save-category":"Save category","save-skill":"Save skill","save-tag":"Save tag","skill_name":"Skill name","skills":"Skills","skills_modal_title":"Add new skill","tag-name":"Tag name","tags_modal_title":"Add new tag","weight":"Weight (kg)"},"de.auth":{"assigned_groups":"Assigned to groups","change_password":"Change password","change_password_text":"Keep your account safe and regularly change your password.","create_account":"Create an account","current_password":"Current password","delete_account":"Delete account","delete_account_text":"I understand that deleting my account will remove all of my personal data and\nthis is a permanent action.","email_address":"Email address","email_address_validation":"An account with this email address already exists. Have you tried logging in?","forgot_password":"Forgot password","forgotten_pw":"Forgotten your password?","forgotten_pw_text":"It happens to all of us. Simply enter your email to receive a password reset message.","login":"Login","new_password":"New password","new_repeat_password":"Repeat new password","password":"Password","profile_admin":"Admin only","profile_admin_text":"Here admins have the ability to change a user's role or their associated groups","repeat_password":"Repeat password","repeat_password_validation":"Passwords do not match or are fewer than six characters","reset":"Reset","reset_password":"Reset password","save_preferences":"Save preferences","save_user":"Save user","set_preferences":"Click here to set your email preferences for our discussion platform","sign_in":"I remembered. Let me sign in","throttle":"Too many login attempts. Please try again in :seconds seconds.","user_role":"User role"},"de.battcatora":{"about":"Mehr Informationen","branding":{"powered_by":"Unter Verwendung von Daten aus:"},"info":{"body-s1-header":"Was ist BattCat?","body-s1-p1":"Wir wollen verstehen, wie Batterien und Akkus dazu beitragen, dass Ger\u00e4te versagen. Damit m\u00f6chten wir der Politik sagen, wie zuk\u00fcnftige Modelle leichter reparierbar gemacht werden k\u00f6nnen. Reparatur vermeidet Abfall und schont die Ressourcen unseres Planeten.","body-s1-p2":"Mit BattCat k\u00f6nnen Sie sich an unserer Untersuchung beteiligen. Wir haben Informationen zu \u00fcber 1000 defekten Ger\u00e4ten gesammelt und brauchen Ihre Hilfe, um diese zu kategorisieren.","body-s2-header":"Was muss ich tun?","body-s2-p1":"Lesen Sie einfach die Informationen \u00fcber das defekte Ger\u00e4t und w\u00e4hlen Sie die Problembeschreibung oder Handlungsempfehlung aus der Liste darunter. Wenn Sie sich nicht sicher sind, w\u00e4hlen Sie unten einfach \"Ich wei\u00df nicht\". Sobald Sie eine Option ausgew\u00e4hlt haben, zeigen wir Ihnen ein anderes Ger\u00e4t. Je mehr Ger\u00e4tefehler Sie kategorisieren k\u00f6nnen, desto mehr lernen wir! BattCat zeigt jedes Ger\u00e4t drei Personen, die helfen, die richtige Kategorie zu best\u00e4tigen.","body-s3-header":"Woher bekommt BattCat Daten \u00fcber defekte Ger\u00e4te?","body-s3-p1":"BattCat verwendet Informationen von der Open Repair Alliance<\/a>, die Daten \u00fcber kaputte Ger\u00e4te sammelt, die echte Menschen auf der ganzen Welt bei Reparaturveranstaltungen wie Repair Caf\u00e9s und Restart Partys zu reparieren versucht haben.","body-s4-header":"Noch Fragen?","body-s4-p1":"Erfahren Sie mehr, stellen Sie Fragen und geben Sie uns Ihr Feedback, in der BattCat-Diskussion<\/a>.","title":"Danke, dass Sie BattCat ausprobiert haben"},"status":{"brand":"Marke","items_0_opinions":"mit 0 Meinungen","items_1_opinion":"mit 1 Meinung","items_2_opinions":"mit 2 Meinungen","items_3_opinions":"mit 3 Meinungen","items_majority_opinions":"Artikel mit Mehrheitsmeinungen","items_opinions":"Artikel \/ meinungen","items_split_opinions":"Artikel mit geteilten Meinungen","number_of_records":"Anzahl der Eintr\u00e4ge","opinions":"Meinungen","problem":"Problem","progress":"vollst\u00e4ndig","status":"Status","task_completed":"Du hast alle Eintr\u00e4ge gesehen, danke","total":"Gesamt","winning_opinion":"Gewinnende meinung"},"survey":{"a1":"Starke Ablehnung","a2":"Ablehnung","a3":"Neutral","a4":"Zustimmung","a5":"Starke Zustimmung","footer":"Wenn Sie eine der beiden Tasten dr\u00fccken, gelangen Sie zur\u00fcck zu BattCat","header1":"Vielen Dank!","header2":"Wir planen bereits weitere zuk\u00fcnftige Quests wie diese. Um die n\u00e4chsten noch besser zu machen, haben wir ein paar kurze Fragen f\u00fcr Sie.","invalid":"Bitte w\u00e4hlen Sie aus jeder der Fragen","q1":"BattCat hat mein Interesse am Reparieren gesteigert","q2":"BattCat hat mich dazu gebracht, mehr \u00fcber Elektroschrott nachzudenken","q3":"BattCat hat mein Denken \u00fcber den Kauf von Elektronik ver\u00e4ndert","q4":"BattCat hat meine Ansicht \u00fcber die Wichtigkeit von Reparaturen ver\u00e4ndert","send":"Senden","skip":"\u00fcberspringen"}},"de.dashboard":{"devices_logged":"devices logged","discussion_header":"Discussion Forum","getting_started_header":"Getting Started","join_group":"Join a group","visit_wiki":"Visit the wiki"},"de.device-audits":{"unavailable_audits":"No changes have been made to this device!","updated":{"metadata":"On :audit_created_at, :user_name updated record :audit_url<\/strong>","modified":{"age":"Age<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","brand":"Brand<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","category":"Category<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","category_creation":"Category Creation<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","do_it_yourself":"Do it yourself<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","estimate":"Estimate<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","event":"Event<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","model":"Model<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","more_time_needed":"More time needed<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","problem":"Problem<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","professional_help":"Professional Help<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","repair_status":"Repair Status<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","repaired_by":"Reparied by<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","spare_parts":"Spare Parts<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","wiki":"Wiki<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\""}}},"de.devices":{"age":"Age","age_approx":"years - approximate, if known","brand":"Brand","by_date":"By date","by_taxonomy":"By taxonomy","category":"Category","delete_device":"Delete device","devices":"Devices","devices_description":"Description of problem\/solution","event_info":"Event info","export_device_data":"Export device data","fixed":"Fixed","from_date":"From date","from_manufacturer":"From manufacturer","from_third_party":"From third party","graphic-camera":"Camera","graphic-comment":"Comment","group":"Group","model":"Model","repair":"Repair date","repair_details":"Next steps","repair_source":"Source of repair information","repair_status":"Repair status","repairable":"Repairable","required_impact":"kg - required for environmental impact calculation","to_date":"To date","useful_repair_urls":"URL of useful repair information used","useful_repair_urls_explanation":"Useful repair URL","useful_repair_urls_helper":"Enter URL here","weight":"Weight"},"de.dustupora":{"about":"Mehr Informationen","branding":{"powered_by":"Unter Verwendung von Daten aus:"},"info":{"body-s1-header":"Was ist DustUp?","body-s1-p1":"Wir wollen verstehen, wie Batterien und Akkus dazu beitragen, dass Ger\u00e4te versagen. Damit m\u00f6chten wir der Politik sagen, wie zuk\u00fcnftige Modelle leichter reparierbar gemacht werden k\u00f6nnen. Reparatur vermeidet Abfall und schont die Ressourcen unseres Planeten.","body-s1-p2":"Mit DustUp k\u00f6nnen Sie sich an unserer Untersuchung beteiligen. Wir haben Informationen zu \u00fcber 1000 defekten Ger\u00e4ten gesammelt und brauchen Ihre Hilfe, um diese zu kategorisieren.","body-s2-header":"Was muss ich tun?","body-s2-p1":"Lesen Sie einfach die Informationen \u00fcber das defekte Ger\u00e4t und w\u00e4hlen Sie die Problembeschreibung oder Handlungsempfehlung aus der Liste darunter. Wenn Sie sich nicht sicher sind, w\u00e4hlen Sie unten einfach \"Ich wei\u00df nicht\". Sobald Sie eine Option ausgew\u00e4hlt haben, zeigen wir Ihnen ein anderes Ger\u00e4t. Je mehr Ger\u00e4tefehler Sie kategorisieren k\u00f6nnen, desto mehr lernen wir! DustUp zeigt jedes Ger\u00e4t drei Personen, die helfen, die richtige Kategorie zu best\u00e4tigen.","body-s3-header":"Woher bekommt DustUp Daten \u00fcber defekte Ger\u00e4te?","body-s3-p1":"DustUp verwendet Informationen von der Open Repair Alliance<\/a>, die Daten \u00fcber kaputte Ger\u00e4te sammelt, die echte Menschen auf der ganzen Welt bei Reparaturveranstaltungen wie Repair Caf\u00e9s und Restart Partys zu reparieren versucht haben.","body-s4-header":"Noch Fragen?","body-s4-p1":"Erfahren Sie mehr, stellen Sie Fragen und geben Sie uns Ihr Feedback, in der DustUp-Diskussion<\/a>.","title":"Danke, dass Sie DustUp ausprobiert haben"},"status":{"brand":"Marke","items_0_opinions":"mit 0 Meinungen","items_1_opinion":"mit 1 Meinung","items_2_opinions":"mit 2 Meinungen","items_3_opinions":"mit 3 Meinungen","items_majority_opinions":"Artikel mit Mehrheitsmeinungen","items_opinions":"Artikel \/ meinungen","items_split_opinions":"Artikel mit geteilten Meinungen","number_of_records":"Anzahl der Eintr\u00e4ge","opinions":"Meinungen","problem":"Problem","progress":"vollst\u00e4ndig","status":"Status","task_completed":"Du hast alle Eintr\u00e4ge gesehen, danke","total":"Gesamt","winning_opinion":"Gewinnende meinung"},"survey":{"a1":"Starke Ablehnung","a2":"Ablehnung","a3":"Neutral","a4":"Zustimmung","a5":"Starke Zustimmung","footer":"Wenn Sie eine der beiden Tasten dr\u00fccken, gelangen Sie zur\u00fcck zu DustUp","header1":"Vielen Dank!","header2":"Wir planen bereits weitere zuk\u00fcnftige Quests wie diese. Um die n\u00e4chsten noch besser zu machen, haben wir ein paar kurze Fragen f\u00fcr Sie.","invalid":"Bitte w\u00e4hlen Sie aus jeder der Fragen","q1":"DustUp hat mein Interesse am Reparieren gesteigert","q2":"DustUp hat mich dazu gebracht, mehr \u00fcber Elektroschrott nachzudenken","q3":"DustUp hat mein Denken \u00fcber den Kauf von Elektronik ver\u00e4ndert","q4":"DustUp hat meine Ansicht \u00fcber die Wichtigkeit von Reparaturen ver\u00e4ndert","send":"Senden","skip":"\u00fcberspringen"},"task":{"brand":"Brand","did_you_know":"Wussten Sie schon?","fetch_another":"Ich wei\u00df es nicht, zeig eine andere Reparatur","go_with":"Geh mit","learn_more":"Mehr Informationen","problem":"Beschreibung des Problems","progress_subtitle":"Der Prozentsatz der Ger\u00e4te, die wir bisher klassifiziert haben","progress_title":"Unser Fortschritt","signpost_1":"Vacuum cleaners can be pretty pricey. If they break, they can be surprisingly hard to fix and end up as e-waste. If brands did more to make their vacuum cleaners easier to repair, we could save a lot of unnecessary waste.","signpost_2":"The European Union is planning to introduce new rules for vacuum cleaners that could require them to be easier to repair. Rules decided by the EU could also be used to influence laws in other places, including the UK.","signpost_3":"We want to tell policymakers why vacuum cleaners break and how they could be made easier to fix. Community repair groups around the world have been recording this information, and by trying DustUp, you are helping us analyse it. Thank you!","signpost_4":"Vielen Dank f\u00fcr Ihre Hilfe! Jeder Fehler, den Sie kategorisieren, macht diese Daten noch n\u00fctzlicher. Werden Sie doch auch Mitglied unserer Community<\/a>.","source":"Quelle","status":"Status","step1":"Lesen Sie die Informationen \u00fcber das defekte Ger\u00e4t.","step1-extra":"Ein Freiwilliger hat versucht, dieses Ger\u00e4t bei einer Reparaturveranstaltung zu reparieren und diese Beschreibung verfasst.","step2":"What caused this vacuum cleaner to fail?","step2-extra":"W\u00e4hlen Sie die Option, die am besten zu dem oben beschriebenen Problem passt.","strapline":"Lesen Sie einfach die Informationen \u00fcber das defekte Ger\u00e4t und w\u00e4hlen Sie die Art des beschriebenen Fehlers aus der Liste darunter aus.","subtitle":"Ein Freiwilliger hat versucht, dieses Ger\u00e4t bei einer Reparaturveranstaltung zu reparieren und diese Beschreibung verfasst.","suggestions":"Vorschl\u00e4ge","thankyou_guest":"Vielen Dank f\u00fcr Ihre Hilfe! Jeder Fehler, den Sie kategorisieren, macht diese Daten noch n\u00fctzlicher. Werden Sie doch auch Mitglied unserer Community<\/a>.","thankyou_user":"Vielen Dank an Sie! Bitte nehmen Sie an unserer Umfrage teil<\/a>","title":"DustUp: Akkuprobleme kategorisieren","translation":"\u00dcbersetzung"}},"de.event-audits":{"created":{"metadata":"On :audit_created_at, :user_name created record :audit_url<\/strong>","modified":{"end":"Event End Time<\/strong> set as \":new<\/strong>\"","event_date":"Event Date<\/strong> set as \":new<\/strong>\"","free_text":"Free Text<\/strong> set as \":new<\/strong>\"","group":"Event Group ID<\/strong> set as \":new<\/strong>\"","hours":"Event Hours<\/strong> set as \":new<\/strong>\"","idevents":"Event ID<\/strong> set as \":new<\/strong>\"","latitude":"Event Latitude<\/strong> set as \":new<\/strong>\"","location":"Event Location<\/strong> set as \":new<\/strong>\"","longitude":"Event Longitude<\/strong> set as \":new<\/strong>\"","pax":"pax<\/strong> set as \":new<\/strong>\"","start":"Event Start Time<\/strong> set as \":new<\/strong>\"","venue":"Event Name<\/strong> set as \":new<\/strong>\"","volunteers":"Quantity of Volunteers<\/strong> set as \":new<\/strong>\""}},"unavailable_audits":"No changes have been made to this event!","updated":{"metadata":"On :audit_created_at, :user_name updated record :audit_url<\/strong>","modified":{"end":"Event End Time<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","event_date":"Event Date<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","free_text":"Free Text<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","group":"Event Group ID<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","hours":"Event Hours<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","latitude":"Event Latitude<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","location":"Event Location<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","longitude":"Event Longitude<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","pax":"pax<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","start":"Event Start Time<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","venue":"Event Name<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","volunteers":"Quantity of Volunteers<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\""}}},"de.events":{"about_event_name_header":"About :event","add_event":"Add event","add_volunteer_modal_heading":"Add volunteer","all_invited_restarters_modal_description":"An overview of the Restarters invited to your event and their skills.","all_invited_restarters_modal_heading":"All invited Restarters","all_restarters_attended_modal_description":"An overview of who attended your event and their skills.","all_restarters_attended_modal_heading":"All Restarters attended","approve_event":"Approve Event","before_submit_text":"Once confirmed by our community lead, your event will be made public on The Restart Project homepage.","by_event":"By event","by_group":"By group","co2_equivalence_visualisation_dropdown":"CO2<\/sub> equivalence visualisation","create_event":"Create event","create_new_event":"Create new event","download-results":"Download Results (CSV)","edit_event":"Edit event","edit_event_content":"Go ahead and change or improve your event information.","embed_code_header":"Embed code","event":"Event","event_date":"Date","event_name":"Event","event_time":"Time","events":"Events","events_title_admin":"Events to moderate","field_add_image":"Add images","field_event_city":"City","field_event_country":"Country","field_event_county":"County\/State","field_event_date":"Date of event","field_event_desc":"Description","field_event_group":"Event group","field_event_images":"Add event images here","field_event_images_2":"Choose an image for your event","field_event_name":"Name of event","field_event_name_helper":"Please enter a neighbourhood or the name of the venue - please no 'Restart Party' or 'Repair Cafe'.","field_event_route":"Route","field_event_street_address":"Street address","field_event_time":"Start\/end time","field_event_venue":"Venue address","field_event_zip":"Post\/Zip code","field_venue_helper":"I.e. the place where the fixing happens!","full_name":"Full name","full_name_helper":"Leave field blank if anonymous","group_member":"Group member","headline_stats_dropdown":"Headline stats","headline_stats_message":"This widget shows the headline stats for your event e.g. the number of participants at your parties; the hours volunteered","infographic_message":"An infographic of an easy-to-understand equivalent of the CO2<\/sub> emissions that your group has prevented, such as equivalent number of cars manufactured","invite_restarters_modal_heading":"Invite volunteers to the event","manual_invite_box":"Send invites to","message_to_restarters":"Invitation message","message_volunteer_email_address":"This field will invite the volunteer to join the group","option_default":"-- Select --","option_not_registered":"Not registered on Fixometer","pending_rsvp_button":"I am attending","pending_rsvp_message":"You have an invite pending for this event","reporting":"Reporting","rsvp_button":"Sorry, I can no longer attend","rsvp_message":"Excellent! You are joining us at this event","sample_text_message_to_restarters":"\n
\n
","no_groups_intro":"There are community groups all over the world<\/a>. You're welcome to follow any group to get notified when they organise events.","see_all_groups":"See all groups","see_all_groups_near_you":"See all groups near you \u2192","see_your_impact":"And see your impact in the Fixometer","sidebar_help":"We're here to help with all your hosting questions.","sidebar_intro_1":"We are a global community of people who run local repair events and campaign for our Right to Repair. Restarters.net is our free, open source toolkit.","sidebar_kit1":"Check out our","sidebar_kit2":"free event planning kit!","sidebar_let_us_know":"Just let us know","title":"Welcome to Restarters","upcoming_events_subtitle":"Your groups' upcoming events:","upcoming_events_title":"Upcoming events","visit_wiki":"Visit the wiki","your_groups_heading":"Your Groups","your_networks":"Your networks"},"en.device-audits":{"created":{"metadata":"On :audit_created_at, :user_name created record :audit_url<\/strong>","modified":{"age":"Age<\/strong> set as \":new<\/strong>\"","brand":"Brand<\/strong> set as \":new<\/strong>\"","category":"Category<\/strong> set as \":new<\/strong>\"","category_creation":"Category Creation<\/strong> set as \":new<\/strong>\"","do_it_yourself":"Do it yourself<\/strong> set as \":new<\/strong>\"","estimate":"Estimate<\/strong> set as \":new<\/strong>\"","event":"Event<\/strong> set as \":new<\/strong>\"","iddevices":"Device ID<\/strong> set as \":new<\/strong>\"","model":"Model<\/strong> set as \":new<\/strong>\"","more_time_needed":"More time needed<\/strong> set as \":new<\/strong>\"","problem":"Problem<\/strong> set as \":new<\/strong>\"","professional_help":"Professional Help<\/strong> set as \":new<\/strong>\"","repair_status":"Repair Status<\/strong> set as \":new<\/strong>\"","repaired_by":"Reparied by<\/strong> set as \":new<\/strong>\"","spare_parts":"Spare Parts<\/strong> set as \":new<\/strong>\"","wiki":"Wiki<\/strong> set as \":new<\/strong>\""}},"unavailable_audits":"No changes have been made to this device!","updated":{"metadata":"On :audit_created_at, :user_name updated record :audit_url<\/strong>","modified":{"age":"Age<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","brand":"Brand<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","category":"Category<\/strong> was modified from \":old<\/strong>\" to \":new<\/strong>\"","category_creation":"Category Creation<\/strong> was modified from \":old<\/strong>\" to \"