Update translations.

This commit is contained in:
James Cole
2024-01-10 20:29:00 +01:00
parent 3a8162d3c5
commit 8e2546da9d
46 changed files with 418 additions and 242 deletions

View File

@@ -0,0 +1,28 @@
/*
* post.js
* Copyright (c) 2023 james@firefly-iii.org
*
* This file is part of Firefly III (https://github.com/firefly-iii).
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <https://www.gnu.org/licenses/>.
*/
import {api} from "../../../../boot/axios";
export default class Put {
put(submission, params) {
let url = '/api/v2/transactions/' + parseInt(params.id);
return api.put(url, submission);
}
}

View File

@@ -427,7 +427,7 @@ let transactions = function () {
this.notifications.error.text = i18next.t('firefly.errors_submission', {errorMessage: data.message}); this.notifications.error.text = i18next.t('firefly.errors_submission', {errorMessage: data.message});
if (data.hasOwnProperty('errors')) { if (data.hasOwnProperty('errors')) {
this.entries = spliceErrorsIntoTransactions(i18n, data.errors, this.entries); this.entries = spliceErrorsIntoTransactions(data.errors, this.entries);
} }
}, },

View File

@@ -38,6 +38,11 @@ import {loadPiggyBanks} from "./shared/load-piggy-banks.js";
import {loadSubscriptions} from "./shared/load-subscriptions.js"; import {loadSubscriptions} from "./shared/load-subscriptions.js";
import Tags from "bootstrap5-tags"; import Tags from "bootstrap5-tags";
import i18next from "i18next"; import i18next from "i18next";
import {defaultErrorSet} from "./shared/create-empty-split.js";
import {parseFromEntries} from "./shared/parse-from-entries.js";
import Put from "../../api/v2/model/transaction/put.js";
import {processAttachments} from "./shared/process-attachments.js";
import {spliceErrorsIntoTransactions} from "./shared/splice-errors-into-transactions.js";
// TODO upload attachments to other file // TODO upload attachments to other file
// TODO fix two maps, perhaps disconnect from entries entirely. // TODO fix two maps, perhaps disconnect from entries entirely.
@@ -102,7 +107,74 @@ let transactions = function () {
} }
}, },
// submit the transaction form.
// TODO pretty much duplicate of create.js
submitTransaction() {
// reset all messages:
this.notifications.error.show = false;
this.notifications.success.show = false;
this.notifications.wait.show = false;
// reset all errors in the entries array:
for (let i in this.entries) {
if (this.entries.hasOwnProperty(i)) {
this.entries[i].errors = defaultErrorSet();
}
}
// form is now submitting:
this.formStates.isSubmitting = true;
// parse transaction:
let transactions = parseFromEntries(this.entries, this.groupProperties.transactionType);
let submission = {
group_title: this.groupProperties.title,
fire_webhooks: this.formStates.webhooksButton,
apply_rules: this.formStates.rulesButton,
transactions: transactions
};
// catch for group title:
if (null === this.groupProperties.title && transactions.length > 1) {
submission.group_title = transactions[0].description;
}
// submit the transaction. Multi-stage process thing going on here!
let putter = new Put();
console.log(submission);
putter.put(submission, {id: this.groupProperties.id}).then((response) => {
const group = response.data.data;
// submission was a success!
this.groupProperties.id = parseInt(group.id);
this.groupProperties.title = group.attributes.group_title ?? group.attributes.transactions[0].description
// process attachments, if any:
const attachmentCount = processAttachments(this.groupProperties.id, group.attributes.transactions);
if (attachmentCount > 0) {
// if count is more than zero, system is processing transactions in the background.
this.notifications.wait.show = true;
this.notifications.wait.text = i18next.t('firefly.wait_attachments');
return;
}
// if not, respond to user options:
this.showMessageOrRedirectUser();
}).catch((error) => {
this.submitting = false;
console.log(error);
// todo put errors in form
if (typeof error.response !== 'undefined') {
this.parseErrors(error.response.data);
}
});
},
// part of the account selection auto-complete // part of the account selection auto-complete
filters: { filters: {
source: [], destination: [], source: [], destination: [],
@@ -291,7 +363,48 @@ let transactions = function () {
this.groupProperties.totalAmount = this.groupProperties.totalAmount + parseFloat(this.entries[i].amount); this.groupProperties.totalAmount = this.groupProperties.totalAmount + parseFloat(this.entries[i].amount);
} }
} }
},
// TODO is a duplicate
showMessageOrRedirectUser() {
// disable all messages:
this.notifications.error.show = false;
this.notifications.success.show = false;
this.notifications.wait.show = false;
if (this.formStates.returnHereButton) {
this.notifications.success.show = true;
this.notifications.success.url = 'transactions/show/' + this.groupProperties.id;
this.notifications.success.text = i18next.t('firefly.updated_journal_js', {description: this.groupProperties.title});
return;
} }
window.location = 'transactions/show/' + this.groupProperties.id + '?transaction_group_id=' + this.groupProperties.id + '&message=updated';
},
// TODO is a duplicate
parseErrors(data) {
// disable all messages:
this.notifications.error.show = true;
this.notifications.success.show = false;
this.notifications.wait.show = false;
this.formStates.isSubmitting = false;
this.notifications.error.text = i18next.t('firefly.errors_submission', {errorMessage: data.message});
if (data.hasOwnProperty('errors')) {
this.entries = spliceErrorsIntoTransactions(data.errors, this.entries);
}
},
// TODO is a duplicate
processUpload(event) {
this.showMessageOrRedirectUser();
},
// TODO is a duplicate
processUploadError(event) {
this.notifications.success.show = false;
this.notifications.wait.show = false;
this.notifications.error.show = true;
this.formStates.isSubmitting = false;
this.notifications.error.text = i18next.t('firefly.errors_upload');
console.error(event);
},
} }
} }

View File

@@ -17,6 +17,8 @@
* You should have received a copy of the GNU Affero General Public License * You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <https://www.gnu.org/licenses/>. * along with this program. If not, see <https://www.gnu.org/licenses/>.
*/ */
import i18next from "i18next";
function cleanupErrors(fullName, shortName, errors) { function cleanupErrors(fullName, shortName, errors) {
let newErrors = []; let newErrors = [];
let message = ''; let message = '';
@@ -28,7 +30,7 @@ function cleanupErrors(fullName, shortName, errors) {
return newErrors; return newErrors;
} }
export function spliceErrorsIntoTransactions(i18n, errors, transactions) { export function spliceErrorsIntoTransactions(errors, transactions) {
let transactionIndex; let transactionIndex;
let fieldName; let fieldName;
let errorArray; let errorArray;
@@ -78,8 +80,8 @@ export function spliceErrorsIntoTransactions(i18n, errors, transactions) {
break; break;
case 'type': case 'type':
// add custom error to source and destination account // add custom error to source and destination account
transactions[transactionIndex].errors.source_account = transactions[transactionIndex].errors.source_account.concat([i18n.t('validation.bad_type_source')]); transactions[transactionIndex].errors.source_account = transactions[transactionIndex].errors.source_account.concat([i18next.t('validation.bad_type_source')]);
transactions[transactionIndex].errors.destination_account = transactions[transactionIndex].errors.destination_account.concat([i18n.t('validation.bad_type_destination')]); transactions[transactionIndex].errors.destination_account = transactions[transactionIndex].errors.destination_account.concat([i18next.t('validation.bad_type_destination')]);
break; break;
case 'destination_name': case 'destination_name':
case 'destination_id': case 'destination_id':

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -143,7 +143,7 @@ return [
'error_github_text' => 'Si ho prefereixes, també pots obrir un nou issue a https://github.com/firefly-iii/firefly-iii/issues.', 'error_github_text' => 'Si ho prefereixes, també pots obrir un nou issue a https://github.com/firefly-iii/firefly-iii/issues.',
'error_stacktrace_below' => 'La traça completa és a continuació:', 'error_stacktrace_below' => 'La traça completa és a continuació:',
'error_headers' => 'Les següents capçaleres també podrien ser rellevants:', 'error_headers' => 'Les següents capçaleres també podrien ser rellevants:',
'error_post' => 'This was submitted by the user:', 'error_post' => 'Enviat per l\'usuari:',
/* /*
* PLEASE DO NOT EDIT THIS FILE DIRECTLY. * PLEASE DO NOT EDIT THIS FILE DIRECTLY.

View File

@@ -1305,7 +1305,7 @@ return [
'sums_apply_to_range' => 'Totes les sumes s\'apliquen al rang seleccionat', 'sums_apply_to_range' => 'Totes les sumes s\'apliquen al rang seleccionat',
'mapbox_api_key' => 'Per fer servir el mapa, aconsegueix una clau API de <a href="https://www.mapbox.com/">Mapbox</a>. Obre el fitxer <code>.env</code> i introdueix-hi el codi després de <code>MAPBOX_API_KEY=</code>.', 'mapbox_api_key' => 'Per fer servir el mapa, aconsegueix una clau API de <a href="https://www.mapbox.com/">Mapbox</a>. Obre el fitxer <code>.env</code> i introdueix-hi el codi després de <code>MAPBOX_API_KEY=</code>.',
'press_object_location' => 'Botó dret o premi de forma prolongada per definir la ubicació de l\'objecte.', 'press_object_location' => 'Botó dret o premi de forma prolongada per definir la ubicació de l\'objecte.',
'click_tap_location' => 'Click or tap the map to add a location', 'click_tap_location' => 'Fes clic o toca el mapa per afegir una ubicació',
'clear_location' => 'Netejar ubicació', 'clear_location' => 'Netejar ubicació',
'delete_all_selected_tags' => 'Eliminar totes les etiquetes seleccionades', 'delete_all_selected_tags' => 'Eliminar totes les etiquetes seleccionades',
'select_tags_to_delete' => 'No t\'oblidis de seleccionar alguna etiqueta.', 'select_tags_to_delete' => 'No t\'oblidis de seleccionar alguna etiqueta.',
@@ -1952,11 +1952,12 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_loading_data' => 'Per favor, espera que carregui la teva informació...',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'wait_attachments' => 'Per favor, espera que els adjunts es carreguin.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'errors_upload' => 'La pujada ha fallat. Per favor comprova la consola del teu navegador per a l\'error.',
'amount_destination_account' => 'Amount in the currency of the destination account', 'amount_foreign_if' => 'Quantitat en la moneda estrangera, si aplica',
'edit_transaction_title' => 'Edit transaction ":description"', 'amount_destination_account' => 'Quantitat en la moneda del compte de destí',
'edit_transaction_title' => 'Editar transacció ":description"',
'unreconcile' => 'Desfés la reconciliació', 'unreconcile' => 'Desfés la reconciliació',
'update_withdrawal' => 'Actualitzar retirada', 'update_withdrawal' => 'Actualitzar retirada',
'update_deposit' => 'Actualitzar ingrés', 'update_deposit' => 'Actualitzar ingrés',
@@ -2554,7 +2555,7 @@ return [
'after_update_create_another' => 'Després d\'actualitzar, torna ací per a seguir editant.', 'after_update_create_another' => 'Després d\'actualitzar, torna ací per a seguir editant.',
'store_as_new' => 'Desa com a una nova transacció, en comptes d\'actualitzar.', 'store_as_new' => 'Desa com a una nova transacció, en comptes d\'actualitzar.',
'reset_after' => 'Reiniciar el formulari després d\'enviar', 'reset_after' => 'Reiniciar el formulari després d\'enviar',
'errors_submission' => 'There was something wrong with your submission. Please check out the errors below: %{errorMessage}', 'errors_submission' => 'Hi ha hagut un error amb el teu enviament. Per favor, revisa els errors de sota: %{errorMessage}',
'transaction_expand_split' => 'Expandeix la divisió', 'transaction_expand_split' => 'Expandeix la divisió',
'transaction_collapse_split' => 'Contrau la divisió', 'transaction_collapse_split' => 'Contrau la divisió',

View File

@@ -34,8 +34,8 @@
declare(strict_types=1); declare(strict_types=1);
return [ return [
'bad_type_source' => 'Firefly III can\'t determine the transaction type based on this source account.', 'bad_type_source' => 'Firefly III no pot determinar el tipus de transacció a partir d\'aquest compte font.',
'bad_type_destination' => 'Firefly III can\'t determine the transaction type based on this destination account.', 'bad_type_destination' => 'Firefly III no pot determinar el tipus de transacció a partir d\'aquest compte de destí.',
'missing_where' => 'A l\'array li falta la clàusula "where"', 'missing_where' => 'A l\'array li falta la clàusula "where"',
'missing_update' => 'A l\'array li falta la clàusula "update"', 'missing_update' => 'A l\'array li falta la clàusula "update"',
'invalid_where_key' => 'El JSON conté una clau invàlida per la clàusula "where"', 'invalid_where_key' => 'El JSON conté una clau invàlida per la clàusula "where"',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1299,7 +1299,7 @@ return [
'no_location_set' => 'Kein Ort gesetzt.', 'no_location_set' => 'Kein Ort gesetzt.',
'meta_data' => 'Metadaten', 'meta_data' => 'Metadaten',
'location' => 'Standort', 'location' => 'Standort',
'location_first_split' => 'The location for this transaction can be set on the first split of this transaction.', 'location_first_split' => 'Der Standort für diese Buchung kann bei der ersten Aufteilung dieser Buchung festgelegt werden.',
'without_date' => 'Ohne Datum', 'without_date' => 'Ohne Datum',
'result' => 'Ergebnis', 'result' => 'Ergebnis',
'sums_apply_to_range' => 'Alle Summen beziehen sich auf den ausgewählten Bereich.', 'sums_apply_to_range' => 'Alle Summen beziehen sich auf den ausgewählten Bereich.',
@@ -1951,7 +1951,8 @@ return [
*/ */
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Bitte warten Sie, bis das Formular geladen wurde',
'wait_loading_data' => 'Bitte warten Sie, bis Ihre Informationen geladen wurden …',
'wait_attachments' => 'Bitte warten Sie, bis die Anhänge hochgeladen sind.', 'wait_attachments' => 'Bitte warten Sie, bis die Anhänge hochgeladen sind.',
'errors_upload' => 'Das Hochladen ist fehlgeschlagen. Bitte überprüfen Sie Ihre Browserkonsole auf den Fehler.', 'errors_upload' => 'Das Hochladen ist fehlgeschlagen. Bitte überprüfen Sie Ihre Browserkonsole auf den Fehler.',
'amount_foreign_if' => 'Betrag in Fremdwährung, falls vorhanden', 'amount_foreign_if' => 'Betrag in Fremdwährung, falls vorhanden',
@@ -2341,7 +2342,7 @@ return [
'average' => 'Durchschnitt', 'average' => 'Durchschnitt',
'balanceFor' => 'Kontostand für „:name”', 'balanceFor' => 'Kontostand für „:name”',
'no_tags' => '(keine Schlagwörter)', 'no_tags' => '(keine Schlagwörter)',
'nothing_found' => '(nothing found)', 'nothing_found' => '(nichts gefunden)',
// piggy banks: // piggy banks:
'event_history' => 'Ereignisverlauf', 'event_history' => 'Ereignisverlauf',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1299,7 +1299,7 @@ return [
'no_location_set' => 'Ubicación no establecida.', 'no_location_set' => 'Ubicación no establecida.',
'meta_data' => 'Meta Datos', 'meta_data' => 'Meta Datos',
'location' => 'Ubicación', 'location' => 'Ubicación',
'location_first_split' => 'The location for this transaction can be set on the first split of this transaction.', 'location_first_split' => 'La ubicación de esta transacción puede establecerse en la primera división de esta transacción.',
'without_date' => 'Sin fecha', 'without_date' => 'Sin fecha',
'result' => 'Resultado', 'result' => 'Resultado',
'sums_apply_to_range' => 'Todas las sumas aplican al rango seleccionado', 'sums_apply_to_range' => 'Todas las sumas aplican al rango seleccionado',
@@ -1951,7 +1951,8 @@ return [
*/ */
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Por favor, espere a que se cargue el formulario',
'wait_loading_data' => 'Por favor, espere a que su información se cargue...',
'wait_attachments' => 'Por favor, espere a que se carguen los archivos adjuntos.', 'wait_attachments' => 'Por favor, espere a que se carguen los archivos adjuntos.',
'errors_upload' => 'La carga ha fallado. Por favor, comprueba el error en la consola de tu navegador.', 'errors_upload' => 'La carga ha fallado. Por favor, comprueba el error en la consola de tu navegador.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',
@@ -2341,7 +2342,7 @@ return [
'average' => 'Promedio', 'average' => 'Promedio',
'balanceFor' => 'Saldo por :name', 'balanceFor' => 'Saldo por :name',
'no_tags' => '(sin etiquetas)', 'no_tags' => '(sin etiquetas)',
'nothing_found' => '(nothing found)', 'nothing_found' => '(no se encontró nada)',
// piggy banks: // piggy banks:
'event_history' => 'Historial de eventos', 'event_history' => 'Historial de eventos',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -39,8 +39,8 @@ return [
'actions' => 'Actions', 'actions' => 'Actions',
'edit' => 'Modifier', 'edit' => 'Modifier',
'delete' => 'Supprimer', 'delete' => 'Supprimer',
'split' => 'Ventiler', 'split' => 'Séparation',
'single_split' => 'Ventilation', 'single_split' => 'Séparation unique',
'clone' => 'Cloner', 'clone' => 'Cloner',
'clone_and_edit' => 'Cloner et modifier', 'clone_and_edit' => 'Cloner et modifier',
'confirm_action' => 'Confirmer l\'action', 'confirm_action' => 'Confirmer l\'action',
@@ -1299,7 +1299,7 @@ return [
'no_location_set' => 'Aucun emplacement défini.', 'no_location_set' => 'Aucun emplacement défini.',
'meta_data' => 'Métadonnées', 'meta_data' => 'Métadonnées',
'location' => 'Emplacement', 'location' => 'Emplacement',
'location_first_split' => 'The location for this transaction can be set on the first split of this transaction.', 'location_first_split' => 'La localisation de cette opération peut être définie lors du premier fractionnement de cette opération.',
'without_date' => 'Sans date', 'without_date' => 'Sans date',
'result' => 'Résultat', 'result' => 'Résultat',
'sums_apply_to_range' => 'Toutes les sommes s\'appliquent à l\'ensemble sélectionné', 'sums_apply_to_range' => 'Toutes les sommes s\'appliquent à l\'ensemble sélectionné',
@@ -1531,10 +1531,10 @@ return [
'profile_something_wrong' => 'Une erreur s\'est produite !', 'profile_something_wrong' => 'Une erreur s\'est produite !',
'profile_try_again' => 'Une erreur sest produite. Merci dessayer à nouveau.', 'profile_try_again' => 'Une erreur sest produite. Merci dessayer à nouveau.',
'amounts' => 'Montants', 'amounts' => 'Montants',
'multi_account_warning_unknown' => 'Selon le type d\'opération que vous créez, le(s) compte(s) source et/ou de destination des ventilations suivantes peuvent être remplacés par celui de la première ventilation de l\'opération.', 'multi_account_warning_unknown' => 'Selon le type d\'opération que vous créez, le(s) compte(s) source et/ou de destination des séparations suivantes peuvent être remplacés par celui de la première séparation de l\'opération.',
'multi_account_warning_withdrawal' => 'Gardez en tête que le compte source des ventilations suivantes peut être remplacé par celui de la première ventilation de la dépense.', 'multi_account_warning_withdrawal' => 'Gardez en tête que le compte source des séparations suivantes peut être remplacé par celui de la première séparation de la dépense.',
'multi_account_warning_deposit' => 'Gardez en tête que le compte de destination des ventilations suivantes peut être remplacé par celui de la première ventilation du dépôt.', 'multi_account_warning_deposit' => 'Gardez en tête que le compte de destination des séparations suivantes peut être remplacé par celui de la première séparation du dépôt.',
'multi_account_warning_transfer' => 'Gardez en tête que les comptes source et de destination des ventilations suivantes peuvent être remplacés par ceux de la première ventilation du transfert.', 'multi_account_warning_transfer' => 'Gardez en tête que les comptes source et de destination des séparations suivantes peuvent être remplacés par ceux de la première séparation du transfert.',
/* /*
* PLEASE DO NOT EDIT THIS FILE DIRECTLY. * PLEASE DO NOT EDIT THIS FILE DIRECTLY.
@@ -1951,7 +1951,8 @@ return [
*/ */
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Veuillez patienter pendant le chargement du formulaire',
'wait_loading_data' => 'Veuillez attendre que vos informations soient chargées...',
'wait_attachments' => 'Veuillez patienter pendant le chargement des pièces jointes.', 'wait_attachments' => 'Veuillez patienter pendant le chargement des pièces jointes.',
'errors_upload' => 'L\'envoi a échoué. Veuillez consulter l\'erreur dans votre console de navigateur.', 'errors_upload' => 'L\'envoi a échoué. Veuillez consulter l\'erreur dans votre console de navigateur.',
'amount_foreign_if' => 'Montant en devise étrangère, le cas échéant', 'amount_foreign_if' => 'Montant en devise étrangère, le cas échéant',
@@ -2051,9 +2052,9 @@ return [
'transaction_new_stored_link' => '<a href="transactions/show/{ID}">L\'opération n°{ID}</a> a été enregistrée.', 'transaction_new_stored_link' => '<a href="transactions/show/{ID}">L\'opération n°{ID}</a> a été enregistrée.',
'transaction_updated_link' => '<a href="transactions/show/{ID}">L\'opération n°{ID}</a> ("{title}") a été mise à jour.', 'transaction_updated_link' => '<a href="transactions/show/{ID}">L\'opération n°{ID}</a> ("{title}") a été mise à jour.',
'transaction_updated_no_changes' => '<a href="transactions/show/{ID}">L\'opération n°{ID}</a> ("{title}") n\'a pas été modifiée.', 'transaction_updated_no_changes' => '<a href="transactions/show/{ID}">L\'opération n°{ID}</a> ("{title}") n\'a pas été modifiée.',
'first_split_decides' => 'La première ventilation détermine la valeur de ce champ', 'first_split_decides' => 'La première séparation détermine la valeur de ce champ',
'first_split_overrules_source' => 'La première ventilation peut remplacer le compte source', 'first_split_overrules_source' => 'La première séparation peut remplacer le compte source',
'first_split_overrules_destination' => 'La première ventilation peut remplacer le compte de destination', 'first_split_overrules_destination' => 'La première séparation peut remplacer le compte de destination',
'spent_x_of_y' => 'Dépensé {amount} sur {total}', 'spent_x_of_y' => 'Dépensé {amount} sur {total}',
// new user: // new user:
@@ -2217,7 +2218,7 @@ return [
'accountBalances' => 'Soldes du compte', 'accountBalances' => 'Soldes du compte',
'balanceStart' => 'Solde au début de la période', 'balanceStart' => 'Solde au début de la période',
'balanceEnd' => 'Solde à la fin de la période', 'balanceEnd' => 'Solde à la fin de la période',
'splitByAccount' => 'Ventilé par compte', 'splitByAccount' => 'Séparation par compte',
'coveredWithTags' => 'Couvert par des tags', 'coveredWithTags' => 'Couvert par des tags',
'leftInBudget' => 'Budget restant', 'leftInBudget' => 'Budget restant',
'left_in_debt' => 'Montant dû', 'left_in_debt' => 'Montant dû',
@@ -2341,7 +2342,7 @@ return [
'average' => 'Moyenne', 'average' => 'Moyenne',
'balanceFor' => 'Solde pour :name', 'balanceFor' => 'Solde pour :name',
'no_tags' => '(pas de mot-clé)', 'no_tags' => '(pas de mot-clé)',
'nothing_found' => '(nothing found)', 'nothing_found' => '(aucun résultat)',
// piggy banks: // piggy banks:
'event_history' => 'Historique des événements', 'event_history' => 'Historique des événements',
@@ -2473,9 +2474,9 @@ return [
'save_notification_settings' => 'Enregistrer les paramètres', 'save_notification_settings' => 'Enregistrer les paramètres',
'notification_settings_saved' => 'Les paramètres de notification ont été enregistrés', 'notification_settings_saved' => 'Les paramètres de notification ont été enregistrés',
'split_transaction_title' => 'Description de l\'opération ventilée', 'split_transaction_title' => 'Description de l\'opération séparée',
'split_transaction_title_help' => 'Si vous créez une opération ventilée, il doit y avoir une description globale pour chaque fraction de l\'opération.', 'split_transaction_title_help' => 'Si vous créez une opération séparée, il doit y avoir une description globale pour chaque fraction de l\'opération.',
'split_title_help' => 'Si vous créez une opération ventilée, il doit y avoir une description globale pour chaque fractions de l\'opération.', 'split_title_help' => 'Si vous créez une opération séparée, il doit y avoir une description globale pour chaque fraction de l\'opération.',
'you_create_transfer' => 'Vous saisissez un transfert.', 'you_create_transfer' => 'Vous saisissez un transfert.',
'you_create_withdrawal' => 'Vous saisissez une dépense.', 'you_create_withdrawal' => 'Vous saisissez une dépense.',
'you_create_deposit' => 'Vous saisissez un dépôt.', 'you_create_deposit' => 'Vous saisissez un dépôt.',
@@ -2543,7 +2544,7 @@ return [
'(partially) reimburses' => 'rembourse (partiellement)', '(partially) reimburses' => 'rembourse (partiellement)',
// split a transaction: // split a transaction:
'splits' => 'Ventilations', 'splits' => 'Séparations',
'add_another_split' => 'Ajouter une autre fraction', 'add_another_split' => 'Ajouter une autre fraction',
'cannot_edit_opening_balance' => 'Vous ne pouvez pas modifier le solde d\'ouverture d\'un compte.', 'cannot_edit_opening_balance' => 'Vous ne pouvez pas modifier le solde d\'ouverture d\'un compte.',
'no_edit_multiple_left' => 'Vous n\'avez sélectionné aucune opération valide à éditer.', 'no_edit_multiple_left' => 'Vous n\'avez sélectionné aucune opération valide à éditer.',
@@ -2554,9 +2555,9 @@ return [
'after_update_create_another' => 'Après la mise à jour, revenir ici pour continuer l\'édition.', 'after_update_create_another' => 'Après la mise à jour, revenir ici pour continuer l\'édition.',
'store_as_new' => 'Enregistrer comme une nouvelle opération au lieu de mettre à jour.', 'store_as_new' => 'Enregistrer comme une nouvelle opération au lieu de mettre à jour.',
'reset_after' => 'Réinitialiser le formulaire après soumission', 'reset_after' => 'Réinitialiser le formulaire après soumission',
'errors_submission' => 'Certaines informations ne sont pas correctes dans votre formulaire. Veuillez vérifier les erreurs ci-dessous : %{errorMessage}', 'errors_submission' => 'Il y a eu un problème avec votre envoi. Veuillez vérifier les erreurs ci-dessous : %{errorMessage}',
'transaction_expand_split' => 'Développer la ventilation', 'transaction_expand_split' => 'Développer la séparation',
'transaction_collapse_split' => 'Réduire la ventilation', 'transaction_collapse_split' => 'Réduire la séparation',
// object groups // object groups
'default_group_title_name' => '(Sans groupement)', 'default_group_title_name' => '(Sans groupement)',

View File

@@ -34,8 +34,8 @@
declare(strict_types=1); declare(strict_types=1);
return [ return [
'bad_type_source' => 'Firefly III ne peut pas déterminer le type d\'opération en fonction de ce compte source.', 'bad_type_source' => 'Firefly III ne peut pas déterminer le type de transaction basé sur ce compte source.',
'bad_type_destination' => 'Firefly III ne peut pas déterminer le type d\'opération en fonction de ce compte de destination.', 'bad_type_destination' => 'Firefly III ne peut pas déterminer le type de transaction basé sur ce compte de destination.',
'missing_where' => 'La requête ne contient pas de clause "where"', 'missing_where' => 'La requête ne contient pas de clause "where"',
'missing_update' => 'La requête ne contient pas de clause "update"', 'missing_update' => 'La requête ne contient pas de clause "update"',
'invalid_where_key' => 'Le JSON contient une clé invalide pour la clause "where"', 'invalid_where_key' => 'Le JSON contient une clé invalide pour la clause "where"',

View File

@@ -434,9 +434,9 @@ return [
'search_modifier_source_account_nr_starts' => 'Forrásszámla számlaszáma (IBAN) kezdete ":value"', 'search_modifier_source_account_nr_starts' => 'Forrásszámla számlaszáma (IBAN) kezdete ":value"',
'search_modifier_not_source_account_nr_starts' => 'Forrásszámla számlaszám (IBAN) kezdete nem ":value"', 'search_modifier_not_source_account_nr_starts' => 'Forrásszámla számlaszám (IBAN) kezdete nem ":value"',
'search_modifier_source_account_nr_ends' => 'Forrásszámla számlaszáma (IBAN) vége ":value"', 'search_modifier_source_account_nr_ends' => 'Forrásszámla számlaszáma (IBAN) vége ":value"',
'search_modifier_not_source_account_nr_ends' => 'Source account number (IBAN) does not end on ":value"', 'search_modifier_not_source_account_nr_ends' => 'Forrásszámla számlaszáma (IBAN) nem így végződik ":value"',
'search_modifier_destination_account_is' => 'Célszámla neve pontosan ":value"', 'search_modifier_destination_account_is' => 'Célszámla neve pontosan ":value"',
'search_modifier_not_destination_account_is' => 'Destination account name is not ":value"', 'search_modifier_not_destination_account_is' => 'Célszámla neve nem ":value"',
'search_modifier_destination_account_contains' => 'Célszámla neve tartalmazza ":value"', 'search_modifier_destination_account_contains' => 'Célszámla neve tartalmazza ":value"',
'search_modifier_not_destination_account_contains' => 'Destination account name does not contain ":value"', 'search_modifier_not_destination_account_contains' => 'Destination account name does not contain ":value"',
'search_modifier_destination_account_starts' => 'Célszámla nevének eleje: ":value"', 'search_modifier_destination_account_starts' => 'Célszámla nevének eleje: ":value"',
@@ -1299,7 +1299,7 @@ return [
'no_location_set' => 'Nincs hely beállítása.', 'no_location_set' => 'Nincs hely beállítása.',
'meta_data' => 'Metaadat', 'meta_data' => 'Metaadat',
'location' => 'Hely', 'location' => 'Hely',
'location_first_split' => 'The location for this transaction can be set on the first split of this transaction.', 'location_first_split' => 'A tranzakció helyszíne a tranzakció első bontásánál állítható be.',
'without_date' => 'Dátum nélkül', 'without_date' => 'Dátum nélkül',
'result' => 'Eredmény', 'result' => 'Eredmény',
'sums_apply_to_range' => 'Minden összeg alkalmazása a kiválasztott tartományra', 'sums_apply_to_range' => 'Minden összeg alkalmazása a kiválasztott tartományra',
@@ -1951,7 +1951,8 @@ return [
*/ */
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Kérlek várj az űrlap betöltéséig',
'wait_loading_data' => 'Kérlek várj amíg betöltjük az adatokat...',
'wait_attachments' => 'Kérlek várj a mellékletek feltöltésére.', 'wait_attachments' => 'Kérlek várj a mellékletek feltöltésére.',
'errors_upload' => 'A feltöltés sikertelen. A hibáért kérlek, ellenőrizd a böngésző konzolt.', 'errors_upload' => 'A feltöltés sikertelen. A hibáért kérlek, ellenőrizd a böngésző konzolt.',
'amount_foreign_if' => 'Összeg devizában, ha van ilyen', 'amount_foreign_if' => 'Összeg devizában, ha van ilyen',
@@ -2341,7 +2342,7 @@ return [
'average' => 'Átlag', 'average' => 'Átlag',
'balanceFor' => 'Egyenleg: :name', 'balanceFor' => 'Egyenleg: :name',
'no_tags' => '(nincsenek címkék)', 'no_tags' => '(nincsenek címkék)',
'nothing_found' => '(nothing found)', 'nothing_found' => '(nincs találat)',
// piggy banks: // piggy banks:
'event_history' => 'Event history', 'event_history' => 'Event history',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -113,7 +113,7 @@ return [
'two_factor_forgot' => 'Ho dimenticato la mia chiave a due fattori.', 'two_factor_forgot' => 'Ho dimenticato la mia chiave a due fattori.',
'two_factor_lost_header' => 'Hai perso l\'autenticazione a due fattori?', 'two_factor_lost_header' => 'Hai perso l\'autenticazione a due fattori?',
'two_factor_lost_intro' => 'Se hai perso anche i codici di recupero, sei sfortunato. Questo non è qualcosa che puoi risolvere tramite l\'interfaccia web. Hai due scelte.', 'two_factor_lost_intro' => 'Se hai perso anche i codici di recupero, sei sfortunato. Questo non è qualcosa che puoi risolvere tramite l\'interfaccia web. Hai due scelte.',
'two_factor_lost_fix_self' => 'If you run your own instance of Firefly III, read <a href="https://docs.firefly-iii.org/references/faq/firefly-iii/using/#i-lost-my-2fa-token-generator-or-2fa-has-stopped-working>this entry in the FAQ</a> for instructions.', 'two_factor_lost_fix_self' => 'Se esegui la tua istanza di Firefly III, leggi <a href="https://docs.firefly-iii.org/references/faq/firefly-iii/using/#i-lost-my-2fa-token-generator-or-2fa-has-stopped-working>questo articolo nelle Domande Frequenti</a> per delle istruzioni.',
'two_factor_lost_fix_owner' => 'In caso contrario, invia un mail al proprietario del sito, <a href="mailto::site_owner">:site_owner</a>, e chiedi loro di resettare l\'autenticazione a due fattori.', 'two_factor_lost_fix_owner' => 'In caso contrario, invia un mail al proprietario del sito, <a href="mailto::site_owner">:site_owner</a>, e chiedi loro di resettare l\'autenticazione a due fattori.',
'mfa_backup_code' => 'Hai usato un codice di recupero per accedere a Firefly III. Questo codice non potrà essere utilizzato di nuovo, quindi cancellalo dalla lista.', 'mfa_backup_code' => 'Hai usato un codice di recupero per accedere a Firefly III. Questo codice non potrà essere utilizzato di nuovo, quindi cancellalo dalla lista.',
'pref_two_factor_new_backup_codes' => 'Ottieni nuovi codici di recupero', 'pref_two_factor_new_backup_codes' => 'Ottieni nuovi codici di recupero',
@@ -203,7 +203,7 @@ return [
'transfer_exchange_rate_instructions' => 'Il conto attività di origine "@source_name" accetta solo transazioni in @source_currency. Il conto attività di destinazione "@dest_name" accetta solo transazioni in @dest_currency. È necessario fornire l\'importo trasferito correttamente in entrambe le valute.', 'transfer_exchange_rate_instructions' => 'Il conto attività di origine "@source_name" accetta solo transazioni in @source_currency. Il conto attività di destinazione "@dest_name" accetta solo transazioni in @dest_currency. È necessario fornire l\'importo trasferito correttamente in entrambe le valute.',
'transaction_data' => 'Informazioni transazione', 'transaction_data' => 'Informazioni transazione',
'invalid_server_configuration' => 'Configurazione del server non corretta', 'invalid_server_configuration' => 'Configurazione del server non corretta',
'invalid_locale_settings' => 'Firefly III is unable to format monetary amounts because your server is missing the required packages. There are <a href="https://docs.firefly-iii.org/how-to/firefly-iii/advanced/locales/">instructions how to do this</a>.', 'invalid_locale_settings' => 'Firefly III non è in grado di formattare gli importi monetari, poiché il tuo server è privo dei pacchetti necessari. Esistono delle <a href="https://docs.firefly-iii.org/how-to/firefly-iii/advanced/locales/">istruzioni su come farlo</a>.',
'quickswitch' => 'Interruttore veloce', 'quickswitch' => 'Interruttore veloce',
'sign_in_to_start' => 'Accedi per iniziare la sessione', 'sign_in_to_start' => 'Accedi per iniziare la sessione',
'sign_in' => 'Accedi', 'sign_in' => 'Accedi',
@@ -469,9 +469,9 @@ return [
'search_modifier_not_transaction_type' => 'Il tipo della transizione non è ":value"', 'search_modifier_not_transaction_type' => 'Il tipo della transizione non è ":value"',
'search_modifier_tag_is' => 'L\'etichetta è ":value"', 'search_modifier_tag_is' => 'L\'etichetta è ":value"',
'search_modifier_tag_contains' => 'La bolletta contiene ":value"', 'search_modifier_tag_contains' => 'La bolletta contiene ":value"',
'search_modifier_not_tag_contains' => 'Tag does not contain ":value"', 'search_modifier_not_tag_contains' => 'Il tag non contiene ":value"',
'search_modifier_tag_ends' => 'Tag ends with ":value"', 'search_modifier_tag_ends' => 'Il tag termina per ":value"',
'search_modifier_tag_starts' => 'Tag starts with ":value"', 'search_modifier_tag_starts' => 'Il tag inizia per ":value"',
'search_modifier_not_tag_is' => 'Nessuna etichetta è ":value"', 'search_modifier_not_tag_is' => 'Nessuna etichetta è ":value"',
'search_modifier_date_on_year' => 'La transazione è dell\'anno ":value"', 'search_modifier_date_on_year' => 'La transazione è dell\'anno ":value"',
'search_modifier_not_date_on_year' => 'La transazione non è dell\'anno ":value"', 'search_modifier_not_date_on_year' => 'La transazione non è dell\'anno ":value"',
@@ -1198,16 +1198,16 @@ return [
'rule_trigger_not_has_any_category' => 'Transaction has no category', 'rule_trigger_not_has_any_category' => 'Transaction has no category',
'rule_trigger_not_has_any_budget' => 'Transaction has no category', 'rule_trigger_not_has_any_budget' => 'Transaction has no category',
'rule_trigger_not_has_any_bill' => 'Transaction has no bill', 'rule_trigger_not_has_any_bill' => 'Transaction has no bill',
'rule_trigger_not_has_any_tag' => 'Transaction has no tags', 'rule_trigger_not_has_any_tag' => 'La transazione non ha alcun tag',
'rule_trigger_not_any_notes' => 'Transaction has no notes', 'rule_trigger_not_any_notes' => 'La transazione non ha alcuna nota',
'rule_trigger_not_any_external_url' => 'Transaction has no external URL', 'rule_trigger_not_any_external_url' => 'La transazione non ha alcun URL esterno',
'rule_trigger_not_has_no_attachments' => 'Transaction has a (any) attachment(s)', 'rule_trigger_not_has_no_attachments' => 'La transazione ha uno o più allegati',
'rule_trigger_not_has_no_category' => 'Transaction has a (any) category', 'rule_trigger_not_has_no_category' => 'La transazione non ha una o più categorie',
'rule_trigger_not_has_no_budget' => 'Transaction has a (any) budget', 'rule_trigger_not_has_no_budget' => 'La transazione ha uno o più budget',
'rule_trigger_not_has_no_bill' => 'Transaction has a (any) bill', 'rule_trigger_not_has_no_bill' => 'La transazione ha una o più fatture',
'rule_trigger_not_has_no_tag' => 'Transaction has a (any) tag', 'rule_trigger_not_has_no_tag' => 'La transazione ha uno o più tag',
'rule_trigger_not_no_notes' => 'Transaction has any notes', 'rule_trigger_not_no_notes' => 'La transazione contiene qualsiasi nota',
'rule_trigger_not_no_external_url' => 'Transaction has an external URL', 'rule_trigger_not_no_external_url' => 'La transazione ha un URL esterno',
'rule_trigger_not_source_is_cash' => 'Source account is not a cash account', 'rule_trigger_not_source_is_cash' => 'Source account is not a cash account',
'rule_trigger_not_destination_is_cash' => 'Destination account is not a cash account', 'rule_trigger_not_destination_is_cash' => 'Destination account is not a cash account',
'rule_trigger_not_account_is_cash' => 'Neither account is a cash account', 'rule_trigger_not_account_is_cash' => 'Neither account is a cash account',
@@ -1225,8 +1225,8 @@ return [
// actions // actions
// set, clear, add, remove, append/prepend // set, clear, add, remove, append/prepend
'rule_action_delete_transaction_choice' => 'DELETE transaction(!)', 'rule_action_delete_transaction_choice' => 'ELIMINA transazione(!)',
'rule_action_delete_transaction' => 'DELETE transaction(!)', 'rule_action_delete_transaction' => 'ELIMINA transazione(!)',
'rule_action_set_category' => 'Imposta categoria a ":action_value"', 'rule_action_set_category' => 'Imposta categoria a ":action_value"',
'rule_action_clear_category' => 'Rimuovi dalla categoria', 'rule_action_clear_category' => 'Rimuovi dalla categoria',
'rule_action_set_budget' => 'Imposta il budget su ":action_value"', 'rule_action_set_budget' => 'Imposta il budget su ":action_value"',
@@ -1237,33 +1237,33 @@ return [
'rule_action_set_description' => 'Imposta la descrizione a ":action_value"', 'rule_action_set_description' => 'Imposta la descrizione a ":action_value"',
'rule_action_append_description' => 'Aggiungi alla descrizione ":action_value"', 'rule_action_append_description' => 'Aggiungi alla descrizione ":action_value"',
'rule_action_prepend_description' => 'Anteponi alla descrizione ":action_value"', 'rule_action_prepend_description' => 'Anteponi alla descrizione ":action_value"',
'rule_action_set_category_choice' => 'Set category to ..', 'rule_action_set_category_choice' => 'Imposta la categoria a..',
'rule_action_clear_category_choice' => 'Rimuovi da tutte le categorie', 'rule_action_clear_category_choice' => 'Rimuovi da tutte le categorie',
'rule_action_set_budget_choice' => 'Set budget to ..', 'rule_action_set_budget_choice' => 'Imposta il budget a..',
'rule_action_clear_budget_choice' => 'Rimuovi da tutti i budget', 'rule_action_clear_budget_choice' => 'Rimuovi da tutti i budget',
'rule_action_add_tag_choice' => 'Add tag ..', 'rule_action_add_tag_choice' => 'Aggiungi tag..',
'rule_action_remove_tag_choice' => 'Remove tag ..', 'rule_action_remove_tag_choice' => 'Rimuovi tag..',
'rule_action_remove_all_tags_choice' => 'Rimuovi tutte le etichette', 'rule_action_remove_all_tags_choice' => 'Rimuovi tutte le etichette',
'rule_action_set_description_choice' => 'Set description to ..', 'rule_action_set_description_choice' => 'Imposta la descrizione a..',
'rule_action_update_piggy_choice' => 'Add / remove transaction amount in piggy bank ..', 'rule_action_update_piggy_choice' => 'Aggiungi / rimuovi l\'importo di transazione nel salvadanaio..',
'rule_action_update_piggy' => 'Add / remove transaction amount in piggy bank ":action_value"', 'rule_action_update_piggy' => 'Aggiungi / rimuovi l\'importo di transazione nel salvadanaio.. ":action_value"',
'rule_action_append_description_choice' => 'Append description with ..', 'rule_action_append_description_choice' => 'Aggiungi descrizione con..',
'rule_action_prepend_description_choice' => 'Prepend description with ..', 'rule_action_prepend_description_choice' => 'Anteponi alla descrizione con..',
'rule_action_set_source_account_choice' => 'Set source account to ..', 'rule_action_set_source_account_choice' => 'Imposta il conto d\'origine a..',
'rule_action_set_source_account' => 'Imposta come conto di origine :action_value', 'rule_action_set_source_account' => 'Imposta come conto di origine :action_value',
'rule_action_set_destination_account_choice' => 'Set destination account to ..', 'rule_action_set_destination_account_choice' => 'Imposta il conto di destinazione a..',
'rule_action_set_destination_account' => 'Imposta come conto di destinazione :action_value', 'rule_action_set_destination_account' => 'Imposta come conto di destinazione :action_value',
'rule_action_append_notes_choice' => 'Append notes with ..', 'rule_action_append_notes_choice' => 'Aggiungi alle note con..',
'rule_action_append_notes' => 'Aggiungi alle note ":action_value"', 'rule_action_append_notes' => 'Aggiungi alle note ":action_value"',
'rule_action_prepend_notes_choice' => 'Prepend notes with ..', 'rule_action_prepend_notes_choice' => 'Anteponi alle note con..',
'rule_action_prepend_notes' => 'Anteponi alle note ":action_value"', 'rule_action_prepend_notes' => 'Anteponi alle note ":action_value"',
'rule_action_clear_notes_choice' => 'Rimuovi tutte le note', 'rule_action_clear_notes_choice' => 'Rimuovi tutte le note',
'rule_action_clear_notes' => 'Rimuovi tutte le note', 'rule_action_clear_notes' => 'Rimuovi tutte le note',
'rule_action_set_notes_choice' => 'Set notes to ..', 'rule_action_set_notes_choice' => 'Imposta le note a..',
'rule_action_link_to_bill_choice' => 'Link to a bill ..', 'rule_action_link_to_bill_choice' => 'Collega a una fattura..',
'rule_action_link_to_bill' => 'Collegamento alla bolletta ":action_value"', 'rule_action_link_to_bill' => 'Collegamento alla bolletta ":action_value"',
'rule_action_switch_accounts_choice' => 'Switch source and destination accounts (transfers only!)', 'rule_action_switch_accounts_choice' => 'Cambia conti di origine e destinazione (solo trasferimenti)',
'rule_action_switch_accounts' => 'Switch source and destination', 'rule_action_switch_accounts' => 'Cambia origine e destinazione',
'rule_action_set_notes' => 'Imposta le note su ":action_value"', 'rule_action_set_notes' => 'Imposta le note su ":action_value"',
'rule_action_convert_deposit_choice' => 'Converti la transazione in un deposito', 'rule_action_convert_deposit_choice' => 'Converti la transazione in un deposito',
'rule_action_convert_deposit' => 'Converti la transazione in un deposito da ":action_value"', 'rule_action_convert_deposit' => 'Converti la transazione in un deposito da ":action_value"',
@@ -1271,22 +1271,22 @@ return [
'rule_action_convert_withdrawal' => 'Converti la transazione in un prelievo da ":action_value"', 'rule_action_convert_withdrawal' => 'Converti la transazione in un prelievo da ":action_value"',
'rule_action_convert_transfer_choice' => 'Converti la transazione in un trasferimento', 'rule_action_convert_transfer_choice' => 'Converti la transazione in un trasferimento',
'rule_action_convert_transfer' => 'Converti la transazione in un trasferimento con ":action_value"', 'rule_action_convert_transfer' => 'Converti la transazione in un trasferimento con ":action_value"',
'rule_action_append_descr_to_notes_choice' => 'Append the description to the transaction notes', 'rule_action_append_descr_to_notes_choice' => 'Aggiungi la descrizione alle note di transazione',
'rule_action_append_notes_to_descr_choice' => 'Append the transaction notes to the description', 'rule_action_append_notes_to_descr_choice' => 'Aggiungi le note di transazione alla descrizione',
'rule_action_move_descr_to_notes_choice' => 'Replace the current transaction notes with the description', 'rule_action_move_descr_to_notes_choice' => 'Sostituisci le note della transazione corrente con la descrizione',
'rule_action_move_notes_to_descr_choice' => 'Replace the current description with the transaction notes', 'rule_action_move_notes_to_descr_choice' => 'Sostituisci la descrizione corrente con le note di transazione',
'rule_action_append_descr_to_notes' => 'Append description to notes', 'rule_action_append_descr_to_notes' => 'Aggiungi una descrizione alle note',
'rule_action_append_notes_to_descr' => 'Append notes to description', 'rule_action_append_notes_to_descr' => 'Aggiungi le note alla descrizione',
'rule_action_move_descr_to_notes' => 'Replace notes with description', 'rule_action_move_descr_to_notes' => 'Sostituisci le note con la descrizione',
'rule_action_move_notes_to_descr' => 'Replace description with notes', 'rule_action_move_notes_to_descr' => 'Sostituisci la descrizione con le note',
'rule_action_set_destination_to_cash_choice' => 'Set destination account to (cash)', 'rule_action_set_destination_to_cash_choice' => 'Set destination account to (cash)',
'rule_action_set_source_to_cash_choice' => 'Set source account to (cash)', 'rule_action_set_source_to_cash_choice' => 'Set source account to (cash)',
'rulegroup_for_bills_title' => 'Gruppo di regole per le bollette', 'rulegroup_for_bills_title' => 'Gruppo di regole per le bollette',
'rulegroup_for_bills_description' => 'A special rule group for all the rules that involve bills.', 'rulegroup_for_bills_description' => 'Un gruppo di regole speciale per tutte le regole relative alle fatture.',
'rule_for_bill_title' => 'Auto-generated rule for bill ":name"', 'rule_for_bill_title' => 'Regola generata automaticamente per la fattura ":name"',
'rule_for_bill_description' => 'This rule is auto-generated to try to match bill ":name".', 'rule_for_bill_description' => 'Questa regola è generata automaticamente per corrispondere alla fattura ":name".',
'create_rule_for_bill' => 'Crea una nuova regola per la bolletta ":name"', 'create_rule_for_bill' => 'Crea una nuova regola per la bolletta ":name"',
'create_rule_for_bill_txt' => 'You have just created a new bill called ":name", congratulations!Firefly III can automagically match new withdrawals to this bill. For example, whenever you pay your rent, the bill "rent" will be linked to the expense. This way, Firefly III can accurately show you which bills are due and which ones aren\'t. In order to do so, a new rule must be created. Firefly III has filled in some sensible defaults for you. Please make sure these are correct. If these values are correct, Firefly III will automatically link the correct withdrawal to the correct bill. Please check out the triggers to see if they are correct, and add some if they\'re wrong.', 'create_rule_for_bill_txt' => 'Hai appena creato una nuova fattura denominata ":name", congratulazioni! Firefly III può abbinare automagicamente i nuovi prelievi a questa fattura. Ad esempio, quando paghi l\'affitto, la fattura "affitto" sarà collegata alla spesa. Così, Firefly III può mostrarti accuratamente quali fatture sono in scadenza e quali no. Per poterlo fare, dev\'essere creata una nuova regola. Firefly III ha compilato alcuni valori predefiniti sensibili per te. Ti preghiamo di assicurarti che siano corretti. Se questi valori sono corretti, Firefly III collegherà automaticamente il prelievo corretto alla fattura corretta. Ti preghiamo di controllare gli inneschi per verificare che siano corretti e di aggiungerne alcuni se sono errati.',
'new_rule_for_bill_title' => 'Regola per la bolletta ":name"', 'new_rule_for_bill_title' => 'Regola per la bolletta ":name"',
'new_rule_for_bill_description' => 'Questa regola contrassegna le transazioni per la bolletta ":name".', 'new_rule_for_bill_description' => 'Questa regola contrassegna le transazioni per la bolletta ":name".',
@@ -1299,7 +1299,7 @@ return [
'no_location_set' => 'Nessuna posizione impostata.', 'no_location_set' => 'Nessuna posizione impostata.',
'meta_data' => 'Meta dati', 'meta_data' => 'Meta dati',
'location' => 'Posizione', 'location' => 'Posizione',
'location_first_split' => 'The location for this transaction can be set on the first split of this transaction.', 'location_first_split' => 'La posizione di questa transazione può essere impostata sulla prima suddivisione di questa transazione.',
'without_date' => 'Senza data', 'without_date' => 'Senza data',
'result' => 'Risultato', 'result' => 'Risultato',
'sums_apply_to_range' => 'Tutte le somme si applicano all\'intervallo selezionato', 'sums_apply_to_range' => 'Tutte le somme si applicano all\'intervallo selezionato',
@@ -1314,12 +1314,12 @@ return [
'create_recurring_from_transaction' => 'Crea una transazione ricorrente basandosi su una transazione', 'create_recurring_from_transaction' => 'Crea una transazione ricorrente basandosi su una transazione',
// preferences // preferences
'dark_mode_option_browser' => 'Let your browser decide', 'dark_mode_option_browser' => 'Fai decidere al tuo browser',
'dark_mode_option_light' => 'Always light', 'dark_mode_option_light' => 'Sempre chiaro',
'dark_mode_option_dark' => 'Always dark', 'dark_mode_option_dark' => 'Sempre scuro',
'equal_to_language' => '(uguale alla lingua)', 'equal_to_language' => '(uguale alla lingua)',
'dark_mode_preference' => 'Dark mode', 'dark_mode_preference' => 'Modalità scura',
'dark_mode_preference_help' => 'Tell Firefly III when to use dark mode.', 'dark_mode_preference_help' => 'Indica a Firefly III quando utilizzare la modalità scura.',
'pref_home_screen_accounts' => 'Conti nella pagina iniziale', 'pref_home_screen_accounts' => 'Conti nella pagina iniziale',
'pref_home_screen_accounts_help' => 'Quali conti vuoi che vengano visualizzati nella pagina iniziale?', 'pref_home_screen_accounts_help' => 'Quali conti vuoi che vengano visualizzati nella pagina iniziale?',
'pref_view_range' => 'Intervallo di visualizzazione', 'pref_view_range' => 'Intervallo di visualizzazione',
@@ -1365,7 +1365,7 @@ return [
'preferences_frontpage' => 'Pagina iniziale', 'preferences_frontpage' => 'Pagina iniziale',
'preferences_security' => 'Sicurezza', 'preferences_security' => 'Sicurezza',
'preferences_layout' => 'Impaginazione', 'preferences_layout' => 'Impaginazione',
'preferences_notifications' => 'Notifications', 'preferences_notifications' => 'Notifiche',
'pref_home_show_deposits' => 'Mostra i depositi nella pagina iniziale', 'pref_home_show_deposits' => 'Mostra i depositi nella pagina iniziale',
'pref_home_show_deposits_info' => 'La pagina iniziale mostra già i tuoi conti spese. Vuoi che mostri anche i tuoi conti entrate?', 'pref_home_show_deposits_info' => 'La pagina iniziale mostra già i tuoi conti spese. Vuoi che mostri anche i tuoi conti entrate?',
'pref_home_do_show_deposits' => 'Sì, mostrali', 'pref_home_do_show_deposits' => 'Sì, mostrali',
@@ -1396,34 +1396,34 @@ return [
'optional_field_attachments' => 'Allegati', 'optional_field_attachments' => 'Allegati',
'optional_field_meta_data' => 'Metadati opzionali', 'optional_field_meta_data' => 'Metadati opzionali',
'external_url' => 'URL esterno', 'external_url' => 'URL esterno',
'pref_notification_bill_reminder' => 'Reminder about expiring bills', 'pref_notification_bill_reminder' => 'Promemoria sulle fatture in scadenza',
'pref_notification_new_access_token' => 'Alert when a new API access token is created', 'pref_notification_new_access_token' => 'Avvisa quando viene creato un nuovo token d\'accesso dell\'API',
'pref_notification_transaction_creation' => 'Alert when a transaction is created automatically', 'pref_notification_transaction_creation' => 'Avvisa quando viene creata automaticamente una transazione',
'pref_notification_user_login' => 'Alert when you login from a new location', 'pref_notification_user_login' => 'Avvisa quando accedi da una nuova posizione',
'pref_notification_rule_action_failures' => 'Alert when rule actions fail to execute (Slack or Discord only)', 'pref_notification_rule_action_failures' => 'Avvisa quando le azioni della regola non riescono a essere eseguite (solo Slack o Discord)',
'pref_notifications' => 'Notifications', 'pref_notifications' => 'Notifiche',
'pref_notifications_help' => 'Indicate if these are notifications you would like to get. Some notifications may contain sensitive financial information.', 'pref_notifications_help' => 'Indica se queste sono delle notifiche che vorresti ricevere. Alcune notifiche potrebbero contenere informazioni finanziarie sensibili.',
'slack_webhook_url' => 'Slack Webhook URL', 'slack_webhook_url' => 'URL del Webhook di Slack',
'slack_webhook_url_help' => 'If you want Firefly III to notify you using Slack, enter the webhook URL here. Otherwise leave the field blank. If you are an admin, you need to set this URL in the administration as well.', 'slack_webhook_url_help' => 'Se desideri che Firefly III notifichi che stai usando Slack, inserisci qui l\'URL del webhook. Altrimenti, lascia vuoto il campo. Se sei un admin, devi impostare questo URL anche nell\'amministrazione.',
'slack_url_label' => 'Slack "incoming webhook" URL', 'slack_url_label' => 'URL del "webhook in entrata" di Slack',
// Financial administrations // Financial administrations
'administration_index' => 'Amministrazione finanziaria', 'administration_index' => 'Amministrazione finanziaria',
'administrations_index_menu' => 'Financial administration(s)', 'administrations_index_menu' => 'Amministratori finanziari',
// profile: // profile:
'purge_data_title' => 'Purge data from Firefly III', 'purge_data_title' => 'Elimina i dati da Firefly III',
'purge_data_expl' => '"Purging" means "deleting that which is already deleted". In normal circumstances, Firefly III deletes nothing permanently. It just hides it. The button below deletes all of these previously "deleted" records FOREVER.', 'purge_data_expl' => '"Purge" significa "eliminare ciò che è già stato eliminato". In normali circostanze, Firefly III non elimina nulla permanentemente. Semplicemente, lo nasconde. Il seguente pulsante elimina tutti i registri "eliminati" in precedenza, PER SEMPRE.',
'delete_stuff_header' => 'Delete and purge data', 'delete_stuff_header' => 'Elimina definitivamente i dati',
'purge_all_data' => 'Purge all deleted records', 'purge_all_data' => 'Elimina tutti i registri eliminati',
'purge_data' => 'Purge data', 'purge_data' => 'Elimina dati',
'purged_all_records' => 'All deleted records have been purged.', 'purged_all_records' => 'Tutti i registri eliminati sono stati eliminati del tutto.',
'delete_data_title' => 'Delete data from Firefly III', 'delete_data_title' => 'Elimina i dati da Firefly III',
'permanent_delete_stuff' => 'You can delete stuff from Firefly III. Using the buttons below means that your items will be removed from view and hidden. There is no undo-button for this, but the items may remain in the database where you can salvage them if necessary.', 'permanent_delete_stuff' => 'Puoi eliminare cose da Firefly III. Utilizzare i seguenti pulsanti preclude che tutti i tuoi elementi saranno rimossi dalla vista e nascosti. Non esiste alcun pulsante di annullamento, ma gli elementi resteranno visibili nel database, da cui potrai recuperarli, se necessario.',
'other_sessions_logged_out' => 'Sei stato disconnesso da tutte le altre sessioni.', 'other_sessions_logged_out' => 'Sei stato disconnesso da tutte le altre sessioni.',
'delete_unused_accounts' => 'Deleting unused accounts will clean your auto-complete lists.', 'delete_unused_accounts' => 'Eliminare i conti inutilizzati, pulirà i tuoi elenchi di completamento automatico.',
'delete_all_unused_accounts' => 'Delete unused accounts', 'delete_all_unused_accounts' => 'Elimina i conti inutilizzati',
'deleted_all_unused_accounts' => 'All unused accounts are deleted', 'deleted_all_unused_accounts' => 'Tutti i conti inutilizzati sono eliminati',
'delete_all_budgets' => 'Elimina TUTTI i budget', 'delete_all_budgets' => 'Elimina TUTTI i budget',
'delete_all_categories' => 'Elimina TUTTE le categorie', 'delete_all_categories' => 'Elimina TUTTE le categorie',
'delete_all_tags' => 'Elimina TUTTE le etichette', 'delete_all_tags' => 'Elimina TUTTE le etichette',
@@ -1500,7 +1500,7 @@ return [
'oauth' => 'OAuth', 'oauth' => 'OAuth',
'profile_oauth_clients' => 'Client OAuth', 'profile_oauth_clients' => 'Client OAuth',
'profile_oauth_no_clients' => 'Non hai creato nessun client OAuth.', 'profile_oauth_no_clients' => 'Non hai creato nessun client OAuth.',
'profile_oauth_clients_external_auth' => 'If you\'re using an external authentication provider like Authelia, OAuth Clients will not work. You can use Personal Access Tokens only.', 'profile_oauth_clients_external_auth' => 'Se stai utilizzando un fornitore di autenticazione esterno come Authelia, i client di OAuth non funzioneranno. Puoi utilizzare soltanto i Token d\'Accesso Personale.',
'profile_oauth_clients_header' => 'Client', 'profile_oauth_clients_header' => 'Client',
'profile_oauth_client_id' => 'ID client', 'profile_oauth_client_id' => 'ID client',
'profile_oauth_client_name' => 'Nome', 'profile_oauth_client_name' => 'Nome',
@@ -1569,16 +1569,16 @@ return [
'list_all_attachments' => 'Lista di tutti gli allegati', 'list_all_attachments' => 'Lista di tutti gli allegati',
// transaction index // transaction index
'is_reconciled_fields_dropped' => 'Because this transaction is reconciled, you will not be able to update the accounts, nor the amount(s).', 'is_reconciled_fields_dropped' => 'Poiché questa transazione è riconciliata, non potrai aggiornare i conti, né gli importi.',
'title_expenses' => 'Spese', 'title_expenses' => 'Spese',
'title_withdrawal' => 'Spese', 'title_withdrawal' => 'Spese',
'title_revenue' => 'Entrate', 'title_revenue' => 'Entrate',
'title_deposit' => 'Redditi / entrate', 'title_deposit' => 'Redditi / entrate',
'title_transfer' => 'Trasferimenti', 'title_transfer' => 'Trasferimenti',
'title_transfers' => 'Trasferimenti', 'title_transfers' => 'Trasferimenti',
'submission_options' => 'Submission options', 'submission_options' => 'Opzioni di invio',
'apply_rules_checkbox' => 'Apply rules', 'apply_rules_checkbox' => 'Applica le regole',
'fire_webhooks_checkbox' => 'Fire webhooks', 'fire_webhooks_checkbox' => 'Esegui webhook',
// convert stuff: // convert stuff:
'convert_is_already_type_Withdrawal' => 'Questa transazione è già un\'uscita', 'convert_is_already_type_Withdrawal' => 'Questa transazione è già un\'uscita',
@@ -1631,14 +1631,14 @@ return [
'create_new_piggy_bank' => 'Crea un nuovo salvadanaio', 'create_new_piggy_bank' => 'Crea un nuovo salvadanaio',
'create_new_bill' => 'Crea una nuova bolletta', 'create_new_bill' => 'Crea una nuova bolletta',
'create_new_subscription' => 'Crea un nuovo abbonamento', 'create_new_subscription' => 'Crea un nuovo abbonamento',
'create_new_rule' => 'Create new rule', 'create_new_rule' => 'Crea nuova regola',
// currencies: // currencies:
'create_currency' => 'Crea una nuova valuta', 'create_currency' => 'Crea una nuova valuta',
'store_currency' => 'Salva nuova valuta', 'store_currency' => 'Salva nuova valuta',
'update_currency' => 'Aggiorna valuta', 'update_currency' => 'Aggiorna valuta',
'new_default_currency' => '":name" is now the default currency.', 'new_default_currency' => '":name" è ora la valuta predefinita.',
'default_currency_failed' => 'Could not make ":name" the default currency. Please check the logs.', 'default_currency_failed' => 'Impossibile rendere ":name" la valuta predefinita. Ti preghiamo di consultare i registri.',
'cannot_delete_currency' => 'Impossibile eliminare :name perché è ancora in uso.', 'cannot_delete_currency' => 'Impossibile eliminare :name perché è ancora in uso.',
'cannot_delete_fallback_currency' => ':name è la valuta di default del sistema e non può essere eliminata.', 'cannot_delete_fallback_currency' => ':name è la valuta di default del sistema e non può essere eliminata.',
'cannot_disable_currency_journals' => 'Non è possibile disabilitare :name perché ci sono ancora transazioni che la utilizzano.', 'cannot_disable_currency_journals' => 'Non è possibile disabilitare :name perché ci sono ancora transazioni che la utilizzano.',
@@ -1664,9 +1664,9 @@ return [
'disable_currency' => 'Disabilita', 'disable_currency' => 'Disabilita',
'currencies_default_disabled' => 'Come impostazione predefinita la maggior parte di queste valute sono disabilitate. Per usarle devi prima abilitarle.', 'currencies_default_disabled' => 'Come impostazione predefinita la maggior parte di queste valute sono disabilitate. Per usarle devi prima abilitarle.',
'currency_is_now_enabled' => 'La valuta ":name" è stata abilitata', 'currency_is_now_enabled' => 'La valuta ":name" è stata abilitata',
'could_not_enable_currency' => 'Could not enable currency ":name". Please review the logs.', 'could_not_enable_currency' => 'Impossibile abilitare la valuta ":name". Ti preghiamo di revisionare i registri.',
'currency_is_now_disabled' => 'La valuta ":name" è stata disabilitata', 'currency_is_now_disabled' => 'La valuta ":name" è stata disabilitata',
'could_not_disable_currency' => 'Could not disable currency ":name". Perhaps it is still in use?', 'could_not_disable_currency' => 'Impossibile disabilitare la valuta ":name". Forse è ancora in uso?',
// forms: // forms:
'mandatoryFields' => 'Campi obbligatori', 'mandatoryFields' => 'Campi obbligatori',
@@ -1725,7 +1725,7 @@ return [
'auto_budget_none' => 'Nessun budget automatico', 'auto_budget_none' => 'Nessun budget automatico',
'auto_budget_reset' => 'Imposta un importo fisso per ogni periodo', 'auto_budget_reset' => 'Imposta un importo fisso per ogni periodo',
'auto_budget_rollover' => 'Aggiungi un importo per ogni periodo', 'auto_budget_rollover' => 'Aggiungi un importo per ogni periodo',
'auto_budget_adjusted' => 'Add an amount every period and correct for overspending', 'auto_budget_adjusted' => 'Aggiungi un importo ogni periodo e correggi la spesa eccessiva',
'auto_budget_period_daily' => 'Giornaliero', 'auto_budget_period_daily' => 'Giornaliero',
'auto_budget_period_weekly' => 'Settimanale', 'auto_budget_period_weekly' => 'Settimanale',
'auto_budget_period_monthly' => 'Mensile', 'auto_budget_period_monthly' => 'Mensile',
@@ -1735,16 +1735,16 @@ return [
'auto_budget_help' => 'Puoi leggere di più su questa funzione nella guida. Clicca sull\'icona (?) in alto a destra.', 'auto_budget_help' => 'Puoi leggere di più su questa funzione nella guida. Clicca sull\'icona (?) in alto a destra.',
'auto_budget_reset_icon' => 'Questo budget sarà impostato periodicamente', 'auto_budget_reset_icon' => 'Questo budget sarà impostato periodicamente',
'auto_budget_rollover_icon' => 'L\'importo del budget aumenterà periodicamente', 'auto_budget_rollover_icon' => 'L\'importo del budget aumenterà periodicamente',
'auto_budget_adjusted_icon' => 'The budget amount will increase periodically and will correct for overspending', 'auto_budget_adjusted_icon' => 'L\'importo del budget aumenterà periodicamente e correggerà la spesa eccessiva',
'remove_budgeted_amount' => 'Rimuovi l\'import a budget in :currency', 'remove_budgeted_amount' => 'Rimuovi l\'import a budget in :currency',
// bills: // bills:
'subscription' => 'Abbonamento', 'subscription' => 'Abbonamento',
'not_expected_period' => 'Non prevista per questo periodo', 'not_expected_period' => 'Non prevista per questo periodo',
'subscriptions_in_group' => 'Abbonamenti nel gruppo "%{title}"', 'subscriptions_in_group' => 'Abbonamenti nel gruppo "%{title}"',
'subscr_expected_x_times' => 'Expect to pay %{amount} %{times} times this period', 'subscr_expected_x_times' => 'Prevedi di pagare %{amount} %{times} volte in questo periodo',
'not_or_not_yet' => 'No (per ora)', 'not_or_not_yet' => 'No (per ora)',
'visit_bill' => 'Visit bill ":name" at Firefly III', 'visit_bill' => 'Visita la fattura ":name" su Firefly III',
'match_between_amounts' => 'La bolletta abbina le transazioni tra :low e :high.', 'match_between_amounts' => 'La bolletta abbina le transazioni tra :low e :high.',
'running_again_loss' => 'Le transazioni precedentemente collegate a questa bolletta potrebbero perdere la loro connessione se (non) corrispondono (più) alla regola.', 'running_again_loss' => 'Le transazioni precedentemente collegate a questa bolletta potrebbero perdere la loro connessione se (non) corrispondono (più) alla regola.',
'bill_related_rules' => 'Regole relative a questa bolletta', 'bill_related_rules' => 'Regole relative a questa bolletta',
@@ -1779,7 +1779,7 @@ return [
'bill_edit_rules' => 'Firefly III tenterà anche di modificare la regola relativa a questa bolletta. Se hai modificato questa regola da solo, Firefly III non cambierà nulla.|Firefly III tenterà anche di modificare le :count regole relative a questa bolletta. Se hai modificato queste regole, Firefly III non cambierà nulla.', 'bill_edit_rules' => 'Firefly III tenterà anche di modificare la regola relativa a questa bolletta. Se hai modificato questa regola da solo, Firefly III non cambierà nulla.|Firefly III tenterà anche di modificare le :count regole relative a questa bolletta. Se hai modificato queste regole, Firefly III non cambierà nulla.',
'bill_expected_date' => 'Attesa :date', 'bill_expected_date' => 'Attesa :date',
'bill_expected_date_js' => 'Attesa per {date}', 'bill_expected_date_js' => 'Attesa per {date}',
'expected_amount' => '(Expected) amount', 'expected_amount' => 'Importo (previsto)',
'bill_paid_on' => 'Pagata il {date}', 'bill_paid_on' => 'Pagata il {date}',
'bill_repeats_weekly' => 'Ripeti ogni settimana', 'bill_repeats_weekly' => 'Ripeti ogni settimana',
'bill_repeats_monthly' => 'Ripeti ogni mese', 'bill_repeats_monthly' => 'Ripeti ogni mese',
@@ -1802,8 +1802,8 @@ return [
'extension_date_is' => 'La data di estensione è {date}', 'extension_date_is' => 'La data di estensione è {date}',
// accounts: // accounts:
'i_am_owed_amount' => 'I am owed amount', 'i_am_owed_amount' => 'Mi è dovuto l\'importo',
'i_owe_amount' => 'I owe amount', 'i_owe_amount' => 'Devo l\'importo',
'inactive_account_link' => 'Hai :count conto inattivo (archiviato), che puoi visualizzare in questa pagina separata.|Hai :count conti inattivi (archiviati), che puoi visualizzare in questa pagina separata.', 'inactive_account_link' => 'Hai :count conto inattivo (archiviato), che puoi visualizzare in questa pagina separata.|Hai :count conti inattivi (archiviati), che puoi visualizzare in questa pagina separata.',
'all_accounts_inactive' => 'Questi sono i tuoi conti inattivi.', 'all_accounts_inactive' => 'Questi sono i tuoi conti inattivi.',
'active_account_link' => 'Questo collegamento ti riporta ai conti attivi.', 'active_account_link' => 'Questo collegamento ti riporta ai conti attivi.',
@@ -1839,10 +1839,10 @@ return [
'asset_accounts' => 'Conti attività', 'asset_accounts' => 'Conti attività',
'undefined_accounts' => 'Conti', 'undefined_accounts' => 'Conti',
'asset_accounts_inactive' => 'Conti attività (inattivi)', 'asset_accounts_inactive' => 'Conti attività (inattivi)',
'expense_account' => 'Expense account', 'expense_account' => 'Conto di spese',
'expense_accounts' => 'Conti uscite', 'expense_accounts' => 'Conti uscite',
'expense_accounts_inactive' => 'Conti spese (inattivi)', 'expense_accounts_inactive' => 'Conti spese (inattivi)',
'revenue_account' => 'Revenue account', 'revenue_account' => 'Conto di entrate',
'revenue_accounts' => 'Conti entrate', 'revenue_accounts' => 'Conti entrate',
'revenue_accounts_inactive' => 'Conti entrate (inattivi)', 'revenue_accounts_inactive' => 'Conti entrate (inattivi)',
'cash_accounts' => 'Conti contanti', 'cash_accounts' => 'Conti contanti',
@@ -1931,7 +1931,7 @@ return [
'categories' => 'Categorie', 'categories' => 'Categorie',
'edit_category' => 'Modifica categoria ":name"', 'edit_category' => 'Modifica categoria ":name"',
'no_category' => '(nessuna categoria)', 'no_category' => '(nessuna categoria)',
'unknown_category_plain' => 'No category', 'unknown_category_plain' => 'Nessuna categoria',
'category' => 'Categoria', 'category' => 'Categoria',
'delete_category' => 'Elimina categoria ":name"', 'delete_category' => 'Elimina categoria ":name"',
'deleted_category' => 'Categoria eliminata ":name"', 'deleted_category' => 'Categoria eliminata ":name"',
@@ -1951,13 +1951,14 @@ return [
*/ */
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Attendi il caricamento del modello',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Attendere che gli allegati vengano caricati.', 'wait_attachments' => 'Attendere che gli allegati vengano caricati.',
'errors_upload' => 'Caricamento fallito. Controlla la console del tuo browser per l\'errore.', 'errors_upload' => 'Caricamento fallito. Controlla la console del tuo browser per l\'errore.',
'amount_foreign_if' => 'Importo in valuta estera, nel caso', 'amount_foreign_if' => 'Importo in valuta estera, nel caso',
'amount_destination_account' => 'Importo nella valuta del conto di destinazione', 'amount_destination_account' => 'Importo nella valuta del conto di destinazione',
'edit_transaction_title' => 'Modifica transazione ":description"', 'edit_transaction_title' => 'Modifica transazione ":description"',
'unreconcile' => 'Undo reconciliation', 'unreconcile' => 'Annulla riconciliazione',
'update_withdrawal' => 'Aggiorna prelievo', 'update_withdrawal' => 'Aggiorna prelievo',
'update_deposit' => 'Aggiorna entrata', 'update_deposit' => 'Aggiorna entrata',
'update_transaction' => 'Aggiorna transazione', 'update_transaction' => 'Aggiorna transazione',
@@ -1976,7 +1977,7 @@ return [
'deleted_transfer' => 'Trasferimento ":description" eliminato correttamente', 'deleted_transfer' => 'Trasferimento ":description" eliminato correttamente',
'deleted_reconciliation' => 'Transazione di riconciliazione ":description" elimina con successo', 'deleted_reconciliation' => 'Transazione di riconciliazione ":description" elimina con successo',
'stored_journal' => 'Nuova transazione ":description" creata correttamente', 'stored_journal' => 'Nuova transazione ":description" creata correttamente',
'stored_journal_js' => 'Successfully created new transaction "%{description}"', 'stored_journal_js' => 'Nuova transazione "%{description}" creata correttamente',
'stored_journal_no_descr' => 'Hai creato con successo la nuova transazione', 'stored_journal_no_descr' => 'Hai creato con successo la nuova transazione',
'updated_journal_no_descr' => 'Transazione aggiornata con successo', 'updated_journal_no_descr' => 'Transazione aggiornata con successo',
'select_transactions' => 'Seleziona transazioni', 'select_transactions' => 'Seleziona transazioni',
@@ -2106,12 +2107,12 @@ return [
'searchPlaceholder' => 'Cerca...', 'searchPlaceholder' => 'Cerca...',
'version' => 'Versione', 'version' => 'Versione',
'dashboard' => 'Cruscotto', 'dashboard' => 'Cruscotto',
'income_and_expense' => 'Income and expense', 'income_and_expense' => 'Entrate e spese',
'all_money' => 'All your money', 'all_money' => 'Tutto il tuo denaro',
'unknown_source_plain' => 'Unknown source account', 'unknown_source_plain' => 'Conto d\'origine sconosciuto',
'unknown_dest_plain' => 'Unknown destination account', 'unknown_dest_plain' => 'Conto di destinazione sconosciuto',
'unknown_any_plain' => 'Unknown account', 'unknown_any_plain' => 'Conto sconosciuto',
'unknown_budget_plain' => 'No budget', 'unknown_budget_plain' => 'Nessun budget',
'available_budget' => 'Budget disponibile ({currency})', 'available_budget' => 'Budget disponibile ({currency})',
'currencies' => 'Valute', 'currencies' => 'Valute',
'activity' => 'Attività', 'activity' => 'Attività',
@@ -2122,9 +2123,9 @@ return [
'Expense account' => 'Conto spese', 'Expense account' => 'Conto spese',
'Revenue account' => 'Conto entrate', 'Revenue account' => 'Conto entrate',
'Initial balance account' => 'Saldo iniziale conto', 'Initial balance account' => 'Saldo iniziale conto',
'account_type_Asset account' => 'Asset account', 'account_type_Asset account' => 'Conto di risorse',
'account_type_Expense account' => 'Expense account', 'account_type_Expense account' => 'Conto di spesa',
'account_type_Revenue account' => 'Revenue account', 'account_type_Revenue account' => 'Conto di entrate',
'account_type_Debt' => 'Debito', 'account_type_Debt' => 'Debito',
'account_type_Loan' => 'Prestito', 'account_type_Loan' => 'Prestito',
'account_type_Mortgage' => 'Mutuo', 'account_type_Mortgage' => 'Mutuo',
@@ -2335,16 +2336,16 @@ return [
'budgeted' => 'Preventivato', 'budgeted' => 'Preventivato',
'period' => 'Periodo', 'period' => 'Periodo',
'balance' => 'Saldo', 'balance' => 'Saldo',
'in_out_period' => 'In + out this period', 'in_out_period' => 'Bilancio di questo periodo',
'sum' => 'Somma', 'sum' => 'Somma',
'summary' => 'Riepilogo', 'summary' => 'Riepilogo',
'average' => 'Media', 'average' => 'Media',
'balanceFor' => 'Saldo per :name', 'balanceFor' => 'Saldo per :name',
'no_tags' => '(nessuna etichetta)', 'no_tags' => '(nessuna etichetta)',
'nothing_found' => '(nothing found)', 'nothing_found' => '(nessun risultato)',
// piggy banks: // piggy banks:
'event_history' => 'Event history', 'event_history' => 'Storico eventi',
'add_money_to_piggy' => 'Aggiungi denaro al salvadanaio":name"', 'add_money_to_piggy' => 'Aggiungi denaro al salvadanaio":name"',
'piggy_bank' => 'Salvadanaio', 'piggy_bank' => 'Salvadanaio',
'new_piggy_bank' => 'Nuovo salvadanaio', 'new_piggy_bank' => 'Nuovo salvadanaio',
@@ -2393,7 +2394,7 @@ return [
'created_tag' => 'Etichetta ":tag" creata correttamente', 'created_tag' => 'Etichetta ":tag" creata correttamente',
'transaction_journal_information' => 'Informazioni transazione', 'transaction_journal_information' => 'Informazioni transazione',
'transaction_journal_amount' => 'Amount information', 'transaction_journal_amount' => 'Informazioni sull\'importo',
'transaction_journal_meta' => 'Meta informazioni', 'transaction_journal_meta' => 'Meta informazioni',
'transaction_journal_more' => 'Altre informazioni', 'transaction_journal_more' => 'Altre informazioni',
'basic_journal_information' => 'Informazioni di base sulla transazione', 'basic_journal_information' => 'Informazioni di base sulla transazione',
@@ -2414,16 +2415,16 @@ return [
*/ */
// administration // administration
'invite_is_already_redeemed' => 'The invite to ":address" has already been redeemed.', 'invite_is_already_redeemed' => 'L\'invito a ":address" è già stato revocato.',
'invite_is_deleted' => 'The invite to ":address" has been deleted.', 'invite_is_deleted' => 'L\'invito a ":address" è stato eliminato.',
'invite_new_user_title' => 'Invite new user', 'invite_new_user_title' => 'Invita nuovo utente',
'invite_new_user_text' => 'As an administrator, you can invite users to register on your Firefly III administration. Using the direct link you can share with them, they will be able to register an account. The invited user and their invite link will appear in the table below. You are free to share the invitation link with them.', 'invite_new_user_text' => 'Come amministratore, puoi invitare gli utenti a registrarsi alla tua amministrazione di Firefly III. Utilizzando il link diretto, puoi condividerlo con loro, così che potranno registrare un conto. L\'utente invitato e il suo link d\'invito appariranno nella seguente tabella. Sei libero di condividere il link d\'invito con chi desideri.',
'invited_user_mail' => 'Email address', 'invited_user_mail' => 'Indirizzo email',
'invite_user' => 'Invite user', 'invite_user' => 'Invita l\'utente',
'user_is_invited' => 'Email address ":address" was invited to Firefly III', 'user_is_invited' => 'L\'indirizzo email ":address" è stato invitato a Firefly III',
'administration' => 'Amministrazione', 'administration' => 'Amministrazione',
'system_settings' => 'System settings', 'system_settings' => 'Impostazioni di sistema',
'code_already_used' => 'Invite code has been used', 'code_already_used' => 'Il codice d\'invito è stato utilizzato',
'user_administration' => 'Amministrazione utenti', 'user_administration' => 'Amministrazione utenti',
'list_all_users' => 'Tutti gli utenti', 'list_all_users' => 'Tutti gli utenti',
'all_users' => 'Tutti gli utenti', 'all_users' => 'Tutti gli utenti',
@@ -2455,18 +2456,18 @@ return [
'delete_user' => 'Elimina utente :email', 'delete_user' => 'Elimina utente :email',
'user_deleted' => 'L\'utente è stato eliminato', 'user_deleted' => 'L\'utente è stato eliminato',
'send_test_email' => 'Invia un messaggio di posta elettronica di prova', 'send_test_email' => 'Invia un messaggio di posta elettronica di prova',
'send_test_email_text' => 'To see if your installation is capable of sending email or posting Slack messages, please press this button. You will not see an error here (if any), <strong>the log files will reflect any errors</strong>. You can press this button as many times as you like. There is no spam control. The message will be sent to <code>:email</code> and should arrive shortly.', 'send_test_email_text' => 'Per scoprire se la tua installazione può inviare email o pubblicare messaggi su Slack, ti preghiamo di premere questo pulsante. Non visualizzerai un errore (se presente) qui, <strong>i file di registro rifletteranno qualsiasi errore</strong>. Puoi premere questo pulsante quante volte desideri. Non esiste alcun controllo dello spam. Il messaggio sarà inviato a <code>:email</code> e dovrebbe arrivare a breve.',
'send_message' => 'Invia messaggio', 'send_message' => 'Invia messaggio',
'send_test_triggered' => 'Il test è stato attivato. Controlla la tua casella di posta e i file di log.', 'send_test_triggered' => 'Il test è stato attivato. Controlla la tua casella di posta e i file di log.',
'give_admin_careful' => 'Gli utenti con privilegi di amministratore posso rimuovere i tuoi privilegi. Fai attenzione.', 'give_admin_careful' => 'Gli utenti con privilegi di amministratore posso rimuovere i tuoi privilegi. Fai attenzione.',
'admin_maintanance_title' => 'Manutenzione', 'admin_maintanance_title' => 'Manutenzione',
'admin_maintanance_expl' => 'Qualche pulsante per la manutenzione di Firefly III', 'admin_maintanance_expl' => 'Qualche pulsante per la manutenzione di Firefly III',
'admin_maintenance_clear_cache' => 'Svuota cache', 'admin_maintenance_clear_cache' => 'Svuota cache',
'admin_notifications' => 'Admin notifications', 'admin_notifications' => 'Notifiche dell\'admin',
'admin_notifications_expl' => 'The following notifications can be enabled or disabled by the administrator. If you want to get these messages over Slack as well, set the "incoming webhook" URL.', 'admin_notifications_expl' => 'Le seguenti notifiche sono abilitabili o disabilitabili dall\'amministratore. Se desideri ricevere questi messaggi anche su Slack, imposta l\'URL del "webhook in entrata".',
'admin_notification_check_user_new_reg' => 'User gets post-registration welcome message', 'admin_notification_check_user_new_reg' => 'L\'utente riceve il messaggio di benvenuto post-registrazione',
'admin_notification_check_admin_new_reg' => 'Administrator(s) get new user registration notification', 'admin_notification_check_admin_new_reg' => 'Gli amministratori ricevono le notifiche di registrazione dei nuovi utenti',
'admin_notification_check_new_version' => 'A new version is available', 'admin_notification_check_new_version' => 'È disponibile una nuova versione',
'admin_notification_check_invite_created' => 'Un utente è stato invitato in Firefly III', 'admin_notification_check_invite_created' => 'Un utente è stato invitato in Firefly III',
'admin_notification_check_invite_redeemed' => 'Un invito utente è stato accettato', 'admin_notification_check_invite_redeemed' => 'Un invito utente è stato accettato',
'all_invited_users' => 'Utenti invitati', 'all_invited_users' => 'Utenti invitati',
@@ -2560,7 +2561,7 @@ return [
// object groups // object groups
'default_group_title_name' => '(non in un gruppo)', 'default_group_title_name' => '(non in un gruppo)',
'default_group_title_name_plain' => 'ungrouped', 'default_group_title_name_plain' => 'non raggruppato',
// empty lists? no objects? instructions: // empty lists? no objects? instructions:
'no_accounts_title_asset' => 'Creiamo un conto attività!', 'no_accounts_title_asset' => 'Creiamo un conto attività!',
@@ -2617,8 +2618,8 @@ return [
'no_bills_create_default' => 'Crea bolletta', 'no_bills_create_default' => 'Crea bolletta',
// recurring transactions // recurring transactions
'create_right_now' => 'Create right now', 'create_right_now' => 'Crea adesso',
'no_new_transaction_in_recurrence' => 'No new transaction was created. Perhaps it was already fired for this date?', 'no_new_transaction_in_recurrence' => 'Nessuna nuova transazione creata. Forse è già sta effettuata per questa data?',
'recurrences' => 'Transazioni ricorrenti', 'recurrences' => 'Transazioni ricorrenti',
'repeat_until_in_past' => 'Questa transazione ricorrente ha smesso di ripetersi il :date.', 'repeat_until_in_past' => 'Questa transazione ricorrente ha smesso di ripetersi il :date.',
'recurring_calendar_view' => 'Calendario', 'recurring_calendar_view' => 'Calendario',
@@ -2732,19 +2733,19 @@ return [
'placeholder' => '[Placeholder]', 'placeholder' => '[Placeholder]',
// audit log entries // audit log entries
'audit_log_entries' => 'Audit log entries', 'audit_log_entries' => 'Voci del registro di controllo',
'ale_action_log_add' => 'Added :amount to piggy bank ":name"', 'ale_action_log_add' => 'Aggiunto :amount al salvadanaio ":name"',
'ale_action_log_remove' => 'Removed :amount from piggy bank ":name"', 'ale_action_log_remove' => 'Rimosso :amount dal salvadanaio ":name"',
'ale_action_clear_budget' => 'Removed from budget', 'ale_action_clear_budget' => 'Rimosso dal budget',
'ale_action_update_group_title' => 'Updated transaction group title', 'ale_action_update_group_title' => 'Titolo del gruppo di transazioni aggiornato',
'ale_action_update_date' => 'Updated transaction date', 'ale_action_update_date' => 'Data della transazione aggiornata',
'ale_action_update_order' => 'Updated transaction order', 'ale_action_update_order' => 'Ordine di transazione aggiornato',
'ale_action_clear_category' => 'Removed from category', 'ale_action_clear_category' => 'Rimossa dalla categoria',
'ale_action_clear_notes' => 'Removed notes', 'ale_action_clear_notes' => 'Note rimosse',
'ale_action_clear_tag' => 'Etichette cancellate', 'ale_action_clear_tag' => 'Etichette cancellate',
'ale_action_clear_all_tags' => 'Tutte le etichette sono state cancellate', 'ale_action_clear_all_tags' => 'Tutte le etichette sono state cancellate',
'ale_action_set_bill' => 'Collegato alla fattura', 'ale_action_set_bill' => 'Collegato alla fattura',
'ale_action_switch_accounts' => 'Switched source and destination account', 'ale_action_switch_accounts' => 'Conto di origine e di destinazione scambiato',
'ale_action_set_budget' => 'Imposta un budget', 'ale_action_set_budget' => 'Imposta un budget',
'ale_action_set_category' => 'Imposta una categoria', 'ale_action_set_category' => 'Imposta una categoria',
'ale_action_set_source' => 'Imposta un conto di origine', 'ale_action_set_source' => 'Imposta un conto di origine',
@@ -2757,8 +2758,8 @@ return [
'ale_action_add_tag' => 'Etichette aggiunte', 'ale_action_add_tag' => 'Etichette aggiunte',
// dashboard // dashboard
'enable_auto_convert' => 'Enable currency conversion', 'enable_auto_convert' => 'Abilita la conversione della valuta',
'disable_auto_convert' => 'Disable currency conversion', 'disable_auto_convert' => 'Disabilita la conversione della valuta',
]; ];
/* /*

View File

@@ -55,7 +55,7 @@ return [
'cannot_find_subscription' => 'Firefly III non riesce a trovare l\'abbonamento ":name"', 'cannot_find_subscription' => 'Firefly III non riesce a trovare l\'abbonamento ":name"',
'no_notes_to_move' => 'La transazione non ha note da spostare nel campo descrizione', 'no_notes_to_move' => 'La transazione non ha note da spostare nel campo descrizione',
'no_tags_to_remove' => 'La transazione non ha etichette da rimuovere', 'no_tags_to_remove' => 'La transazione non ha etichette da rimuovere',
'not_withdrawal' => 'The transaction is not a withdrawal', 'not_withdrawal' => 'La transazione non è un prelievo',
'not_deposit' => 'La transazione non è un deposito', 'not_deposit' => 'La transazione non è un deposito',
'cannot_find_tag' => 'Firefly III non riesce a trovare l\'etichetta ":tag"', 'cannot_find_tag' => 'Firefly III non riesce a trovare l\'etichetta ":tag"',
'cannot_find_asset' => 'Firefly III non riesce a trovare il conto attività ":name"', 'cannot_find_asset' => 'Firefly III non riesce a trovare il conto attività ":name"',

View File

@@ -47,7 +47,7 @@ return [
'zero_or_more' => 'Il valore non può essere negativo.', 'zero_or_more' => 'Il valore non può essere negativo.',
'more_than_zero' => 'Il valore deve essere superiore a zero.', 'more_than_zero' => 'Il valore deve essere superiore a zero.',
'more_than_zero_correct' => 'Il valore deve essere zero o superiore.', 'more_than_zero_correct' => 'Il valore deve essere zero o superiore.',
'no_asset_account' => 'This is not an asset account.', 'no_asset_account' => 'Questo non è un conto di risorse.',
'date_or_time' => 'Il valore deve essere un valore valido per una data o per un orario (ISO 8601).', 'date_or_time' => 'Il valore deve essere un valore valido per una data o per un orario (ISO 8601).',
'source_equals_destination' => 'Il conto di origine è uguale al conto di destinazione.', 'source_equals_destination' => 'Il conto di origine è uguale al conto di destinazione.',
'unique_account_number_for_user' => 'Sembra che questo numero di conto sia già in uso.', 'unique_account_number_for_user' => 'Sembra che questo numero di conto sia già in uso.',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1399,7 +1399,7 @@ return [
'pref_notification_bill_reminder' => 'Herinnering over het verlopen van contracten', 'pref_notification_bill_reminder' => 'Herinnering over het verlopen van contracten',
'pref_notification_new_access_token' => 'Melding wanneer een nieuwe API-toegangstoken wordt aangemaakt', 'pref_notification_new_access_token' => 'Melding wanneer een nieuwe API-toegangstoken wordt aangemaakt',
'pref_notification_transaction_creation' => 'Melding wanneer een transactie automatisch wordt aangemaakt', 'pref_notification_transaction_creation' => 'Melding wanneer een transactie automatisch wordt aangemaakt',
'pref_notification_user_login' => 'Melding wanneer u inlogt vanaf een nieuwe locatie', 'pref_notification_user_login' => 'Melding wanneer je inlogt vanaf een nieuwe locatie',
'pref_notification_rule_action_failures' => 'Waarschuwen wanneer regelacties niet utgevoerd kunnen worden (alleen via Slack of Discord)', 'pref_notification_rule_action_failures' => 'Waarschuwen wanneer regelacties niet utgevoerd kunnen worden (alleen via Slack of Discord)',
'pref_notifications' => 'Meldingen', 'pref_notifications' => 'Meldingen',
'pref_notifications_help' => 'Geef aan of dit meldingen zijn die je zou willen krijgen. Sommige meldingen kunnen gevoelige financiële informatie bevatten.', 'pref_notifications_help' => 'Geef aan of dit meldingen zijn die je zou willen krijgen. Sommige meldingen kunnen gevoelige financiële informatie bevatten.',
@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',
@@ -1977,7 +1978,7 @@ return [
'deleted_reconciliation' => 'Afstemming ":description" verwijderd', 'deleted_reconciliation' => 'Afstemming ":description" verwijderd',
'stored_journal' => 'Nieuw transactie ":description" opgeslagen', 'stored_journal' => 'Nieuw transactie ":description" opgeslagen',
'stored_journal_js' => 'Nieuw transactie "%{description}" opgeslagen', 'stored_journal_js' => 'Nieuw transactie "%{description}" opgeslagen',
'stored_journal_no_descr' => 'Uw nieuwe transactie is succesvol aangemaakt', 'stored_journal_no_descr' => 'Je nieuwe transactie is succesvol aangemaakt',
'updated_journal_no_descr' => 'De transactie is geüpdatet', 'updated_journal_no_descr' => 'De transactie is geüpdatet',
'select_transactions' => 'Selecteer transacties', 'select_transactions' => 'Selecteer transacties',
'rule_group_select_transactions' => '":title" op transacties toepassen', 'rule_group_select_transactions' => '":title" op transacties toepassen',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1299,7 +1299,7 @@ return [
'no_location_set' => 'Nie ustawiono lokalizacji.', 'no_location_set' => 'Nie ustawiono lokalizacji.',
'meta_data' => 'Metadane', 'meta_data' => 'Metadane',
'location' => 'Lokalizacja', 'location' => 'Lokalizacja',
'location_first_split' => 'The location for this transaction can be set on the first split of this transaction.', 'location_first_split' => 'Lokalizacja dla tej transakcji może być ustawiona w pierwszym podziale tej transakcji.',
'without_date' => 'Bez daty', 'without_date' => 'Bez daty',
'result' => 'Wynik', 'result' => 'Wynik',
'sums_apply_to_range' => 'Wszystkie sumy mają zastosowanie do wybranego zakresu', 'sums_apply_to_range' => 'Wszystkie sumy mają zastosowanie do wybranego zakresu',
@@ -1322,7 +1322,7 @@ return [
'dark_mode_preference_help' => 'Powiedz Firefly III, kiedy użyć trybu ciemnego.', 'dark_mode_preference_help' => 'Powiedz Firefly III, kiedy użyć trybu ciemnego.',
'pref_home_screen_accounts' => 'Konta na stronie domowej', 'pref_home_screen_accounts' => 'Konta na stronie domowej',
'pref_home_screen_accounts_help' => 'Które konta powinny być wyświetlane na stronie głównej?', 'pref_home_screen_accounts_help' => 'Które konta powinny być wyświetlane na stronie głównej?',
'pref_view_range' => 'Zakres widzenia', 'pref_view_range' => 'Zakres widoku',
'pref_view_range_help' => 'Niektóre wykresy są automatycznie grupowane w okresy. Twoje budżety będą również pogrupowane w okresy. Jaki okres wolisz?', 'pref_view_range_help' => 'Niektóre wykresy są automatycznie grupowane w okresy. Twoje budżety będą również pogrupowane w okresy. Jaki okres wolisz?',
'pref_1D' => 'Dzień', 'pref_1D' => 'Dzień',
'pref_1W' => 'Tydzień', 'pref_1W' => 'Tydzień',
@@ -1951,7 +1951,8 @@ return [
*/ */
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Poczekaj na załadowanie formularza',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',
@@ -2341,7 +2342,7 @@ return [
'average' => 'Średno', 'average' => 'Średno',
'balanceFor' => 'Saldo dla :name', 'balanceFor' => 'Saldo dla :name',
'no_tags' => '(brak tagów)', 'no_tags' => '(brak tagów)',
'nothing_found' => '(nothing found)', 'nothing_found' => '(nic nie znaleziono)',
// piggy banks: // piggy banks:
'event_history' => 'Historia zdarzeń', 'event_history' => 'Historia zdarzeń',

View File

@@ -576,17 +576,17 @@ return [
'search_modifier_interest_date_after_year' => 'Data de juros da transação é após ou no ano de ":value"', 'search_modifier_interest_date_after_year' => 'Data de juros da transação é após ou no ano de ":value"',
'search_modifier_interest_date_after_month' => 'Data de juros da transação é posterior ou no mês de ":value"', 'search_modifier_interest_date_after_month' => 'Data de juros da transação é posterior ou no mês de ":value"',
'search_modifier_interest_date_after_day' => 'Data de juros da transação é após ou no dia do mês de ":value"', 'search_modifier_interest_date_after_day' => 'Data de juros da transação é após ou no dia do mês de ":value"',
'search_modifier_book_date_on_year' => 'Data de registro da transação está no ano de ":value"', 'search_modifier_book_date_on_year' => 'Data de lançamento está no ano de ":value"',
'search_modifier_book_date_on_month' => 'Data de registro da transação é no mês de ":value"', 'search_modifier_book_date_on_month' => 'Data de lançamento é no mês de ":value"',
'search_modifier_book_date_on_day' => 'Data de registro da transação é no dia do mês de ":value"', 'search_modifier_book_date_on_day' => 'Data de lançamento é no dia do mês de ":value"',
'search_modifier_not_book_date_on_year' => 'Data de registro da transação não é no ano ":value"', 'search_modifier_not_book_date_on_year' => 'Data de lançamento não é no ano ":value"',
'search_modifier_not_book_date_on_month' => 'Data de registro da transação não é no mês ":value"', 'search_modifier_not_book_date_on_month' => 'Data de lançamento não é no mês ":value"',
'search_modifier_not_book_date_on_day' => 'Data de registro da transação não é no dia do mês ":value"', 'search_modifier_not_book_date_on_day' => 'Data de lançamento não é no dia do mês ":value"',
'search_modifier_book_date_before_year' => 'Data de registro da transação é antes ou no ano de ":value"', 'search_modifier_book_date_before_year' => 'Data de lançamento é antes ou no ano de ":value"',
'search_modifier_book_date_before_month' => 'Data de registro da transação é antes ou no mês de ":value"', 'search_modifier_book_date_before_month' => 'Data de lançamento é antes ou no mês de ":value"',
'search_modifier_book_date_before_day' => 'Data de registro da transação é antes ou no dia do mês de ":value"', 'search_modifier_book_date_before_day' => 'Data de lançamento é antes ou no dia do mês de ":value"',
'search_modifier_book_date_after_year' => 'Data de registro da transação é posterior ou no ano de ":value"', 'search_modifier_book_date_after_year' => 'Data de lançamento é posterior ou no ano de ":value"',
'search_modifier_book_date_after_month' => 'Data de registro da transação é posterior ou no mês de ":value"', 'search_modifier_book_date_after_month' => 'Data de lançamento é posterior ou no mês de ":value"',
'search_modifier_book_date_after_day' => 'Data de registro da transação é posterior ou no dia do mês de ":value"', 'search_modifier_book_date_after_day' => 'Data de registro da transação é posterior ou no dia do mês de ":value"',
'search_modifier_process_date_on_year' => 'Data de processamento da transação está no ano de ":value"', 'search_modifier_process_date_on_year' => 'Data de processamento da transação está no ano de ":value"',
'search_modifier_process_date_on_month' => 'Data de processamento da transação está no mês de ":value"', 'search_modifier_process_date_on_month' => 'Data de processamento da transação está no mês de ":value"',
@@ -663,10 +663,10 @@ return [
'search_modifier_created_at_after_day' => 'A transação foi criada em ou após o dia do mês de ":value"', 'search_modifier_created_at_after_day' => 'A transação foi criada em ou após o dia do mês de ":value"',
'search_modifier_interest_date_before' => 'Data de juros da transação é em ou antes de ":value"', 'search_modifier_interest_date_before' => 'Data de juros da transação é em ou antes de ":value"',
'search_modifier_interest_date_after' => 'Data de juros da transação é em ou posterior a ":value"', 'search_modifier_interest_date_after' => 'Data de juros da transação é em ou posterior a ":value"',
'search_modifier_book_date_on' => 'Data de registro da transação é em ":value"', 'search_modifier_book_date_on' => 'Data de lançamento é em ":value"',
'search_modifier_not_book_date_on' => 'Data de registro da transação não está em ":value"', 'search_modifier_not_book_date_on' => 'Data de lançamento não está em ":value"',
'search_modifier_book_date_before' => 'Data de registro da transação é em ou antes de ":value"', 'search_modifier_book_date_before' => 'Data de lançamento é em ou antes de ":value"',
'search_modifier_book_date_after' => 'Data de registro da transação é em ou após ":value"', 'search_modifier_book_date_after' => 'Data de lançamento é em ou após ":value"',
'search_modifier_process_date_on' => 'Data de processamento da transação é em ":value"', 'search_modifier_process_date_on' => 'Data de processamento da transação é em ":value"',
'search_modifier_not_process_date_on' => 'Data do processasmento da transação é no mês ":value"', 'search_modifier_not_process_date_on' => 'Data do processasmento da transação é no mês ":value"',
'search_modifier_process_date_before' => 'Data de processamento da transação é em ou antes de ":value"', 'search_modifier_process_date_before' => 'Data de processamento da transação é em ou antes de ":value"',
@@ -1018,12 +1018,12 @@ return [
'rule_trigger_interest_date_before' => 'Data de juros é antes de ":trigger_value"', 'rule_trigger_interest_date_before' => 'Data de juros é antes de ":trigger_value"',
'rule_trigger_interest_date_after_choice' => 'Data de juros é após..', 'rule_trigger_interest_date_after_choice' => 'Data de juros é após..',
'rule_trigger_interest_date_after' => 'Data de juros é após ":trigger_value"', 'rule_trigger_interest_date_after' => 'Data de juros é após ":trigger_value"',
'rule_trigger_book_date_on_choice' => 'Data de reserva é em..', 'rule_trigger_book_date_on_choice' => 'Data de lançamento é em..',
'rule_trigger_book_date_on' => 'Data de reserva é em ":trigger_value"', 'rule_trigger_book_date_on' => 'Data de lançamento é em ":trigger_value"',
'rule_trigger_book_date_before_choice' => 'A data de reserva é antes de..', 'rule_trigger_book_date_before_choice' => 'Data de lançamento é antes de..',
'rule_trigger_book_date_before' => 'Data de reserva é antes de ":trigger_value"', 'rule_trigger_book_date_before' => 'Data de lançamento é antes de ":trigger_value"',
'rule_trigger_book_date_after_choice' => 'A data de reserva é após..', 'rule_trigger_book_date_after_choice' => 'Data de lançamento é após..',
'rule_trigger_book_date_after' => 'Data de reserva após ":trigger_value"', 'rule_trigger_book_date_after' => 'Data de lançamento é após ":trigger_value"',
'rule_trigger_process_date_on_choice' => 'Data de processamento é em..', 'rule_trigger_process_date_on_choice' => 'Data de processamento é em..',
'rule_trigger_process_date_on' => 'Data de processamento é ":trigger_value"', 'rule_trigger_process_date_on' => 'Data de processamento é ":trigger_value"',
'rule_trigger_process_date_before_choice' => 'Data de processamento é antes de..', 'rule_trigger_process_date_before_choice' => 'Data de processamento é antes de..',
@@ -1157,9 +1157,9 @@ return [
'rule_trigger_not_interest_date_on' => 'Data de juros não é em ":trigger_value"', 'rule_trigger_not_interest_date_on' => 'Data de juros não é em ":trigger_value"',
'rule_trigger_not_interest_date_before' => 'Data de juros não é anterior a ":trigger_value"', 'rule_trigger_not_interest_date_before' => 'Data de juros não é anterior a ":trigger_value"',
'rule_trigger_not_interest_date_after' => 'Data de juros não é posterior a ":trigger_value"', 'rule_trigger_not_interest_date_after' => 'Data de juros não é posterior a ":trigger_value"',
'rule_trigger_not_book_date_on' => 'Data de agendamento não é em ":trigger_value"', 'rule_trigger_not_book_date_on' => 'Data de lançamento não é em ":trigger_value"',
'rule_trigger_not_book_date_before' => 'Data de agendamento não é antes de ":trigger_value"', 'rule_trigger_not_book_date_before' => 'Data de lançamento não é antes de ":trigger_value"',
'rule_trigger_not_book_date_after' => 'Data de agendamento não é após ":trigger_value"', 'rule_trigger_not_book_date_after' => 'Data de lançamento não é após ":trigger_value"',
'rule_trigger_not_process_date_on' => 'Data de processamento não é em ":trigger_value"', 'rule_trigger_not_process_date_on' => 'Data de processamento não é em ":trigger_value"',
'rule_trigger_not_process_date_before' => 'Data de processamento não é antes de ":trigger_value"', 'rule_trigger_not_process_date_before' => 'Data de processamento não é antes de ":trigger_value"',
'rule_trigger_not_process_date_after' => 'Data de processamento não é após ":trigger_value"', 'rule_trigger_not_process_date_after' => 'Data de processamento não é após ":trigger_value"',
@@ -1299,7 +1299,7 @@ return [
'no_location_set' => 'Nenhuma localização.', 'no_location_set' => 'Nenhuma localização.',
'meta_data' => 'Meta dados', 'meta_data' => 'Meta dados',
'location' => 'Localização', 'location' => 'Localização',
'location_first_split' => 'The location for this transaction can be set on the first split of this transaction.', 'location_first_split' => 'O local para essa transação pode ser definido na primeira divisão dessa transação.',
'without_date' => 'Sem data', 'without_date' => 'Sem data',
'result' => 'Resultado', 'result' => 'Resultado',
'sums_apply_to_range' => 'Todas as somas aplicam-se ao intervalo selecionado', 'sums_apply_to_range' => 'Todas as somas aplicam-se ao intervalo selecionado',
@@ -1951,7 +1951,8 @@ return [
*/ */
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Por favor, aguarde o formulário carregar',
'wait_loading_data' => 'Por favor, aguarde suas informações serem carregadas...',
'wait_attachments' => 'Por favor, aguarde pelo upload dos anexos.', 'wait_attachments' => 'Por favor, aguarde pelo upload dos anexos.',
'errors_upload' => 'O upload falhou. Por favor, verifique o console do seu navegador para o erro.', 'errors_upload' => 'O upload falhou. Por favor, verifique o console do seu navegador para o erro.',
'amount_foreign_if' => 'Valor em moeda estrangeira, se houver', 'amount_foreign_if' => 'Valor em moeda estrangeira, se houver',
@@ -2341,7 +2342,7 @@ return [
'average' => 'Média', 'average' => 'Média',
'balanceFor' => 'Saldo para ":name"', 'balanceFor' => 'Saldo para ":name"',
'no_tags' => '(no tags)', 'no_tags' => '(no tags)',
'nothing_found' => '(nothing found)', 'nothing_found' => '(nada encontrado)',
// piggy banks: // piggy banks:
'event_history' => 'Histórico do evento', 'event_history' => 'Histórico do evento',

View File

@@ -116,7 +116,7 @@ return [
'foreign_amount' => 'Montante em moeda estrangeira', 'foreign_amount' => 'Montante em moeda estrangeira',
'date' => 'Data', 'date' => 'Data',
'interest_date' => 'Data do juros', 'interest_date' => 'Data do juros',
'book_date' => 'Data reserva', 'book_date' => 'Data de lançamento',
'process_date' => 'Data de processamento', 'process_date' => 'Data de processamento',
'category' => 'Categoria', 'category' => 'Categoria',
'tags' => 'Tags', 'tags' => 'Tags',

View File

@@ -84,7 +84,7 @@ return [
'amount' => 'Total', 'amount' => 'Total',
'date' => 'Data', 'date' => 'Data',
'interest_date' => 'Data de juros', 'interest_date' => 'Data de juros',
'book_date' => 'Data reserva', 'book_date' => 'Data de lançamento',
'process_date' => 'Data de processamento', 'process_date' => 'Data de processamento',
'due_date' => 'Data de vencimento', 'due_date' => 'Data de vencimento',
'payment_date' => 'Data de pagamento', 'payment_date' => 'Data de pagamento',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1305,7 +1305,7 @@ return [
'sums_apply_to_range' => 'Все суммы относятся к выбранному диапазону', 'sums_apply_to_range' => 'Все суммы относятся к выбранному диапазону',
'mapbox_api_key' => 'Чтобы использовать карту, получите ключ API от сервиса <a href="https://www.mapbox.com/">Mapbox</a>. Откройте файл <code>.env</code> и введите этот код в строке <code>MAPBOX_API_KEY = </code>.', 'mapbox_api_key' => 'Чтобы использовать карту, получите ключ API от сервиса <a href="https://www.mapbox.com/">Mapbox</a>. Откройте файл <code>.env</code> и введите этот код в строке <code>MAPBOX_API_KEY = </code>.',
'press_object_location' => 'Щёлкните правой кнопкой мыши или надолго нажмите на сенсорный экран, чтобы установить местоположение объекта.', 'press_object_location' => 'Щёлкните правой кнопкой мыши или надолго нажмите на сенсорный экран, чтобы установить местоположение объекта.',
'click_tap_location' => 'Click or tap the map to add a location', 'click_tap_location' => 'Нажмите на карту, чтобы добавить местоположение',
'clear_location' => 'Очистить местоположение', 'clear_location' => 'Очистить местоположение',
'delete_all_selected_tags' => 'Удалить все выбранные метки', 'delete_all_selected_tags' => 'Удалить все выбранные метки',
'select_tags_to_delete' => 'Не забудьте выбрать несколько меток.', 'select_tags_to_delete' => 'Не забудьте выбрать несколько меток.',
@@ -1952,11 +1952,12 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Пожалуйста, дождитесь загрузки вложений.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',
'amount_destination_account' => 'Amount in the currency of the destination account', 'amount_destination_account' => 'Amount in the currency of the destination account',
'edit_transaction_title' => 'Edit transaction ":description"', 'edit_transaction_title' => 'Редактировать транзакцию ":description"',
'unreconcile' => 'Отменить сверку', 'unreconcile' => 'Отменить сверку',
'update_withdrawal' => 'Обновить расход', 'update_withdrawal' => 'Обновить расход',
'update_deposit' => 'Обновить доход', 'update_deposit' => 'Обновить доход',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -143,7 +143,7 @@ return [
'error_github_text' => 'Če želite, lahko novo številko odprete tudi na spletnem mestu https://github.com/firefly-iii/firefly-iii/issues.', 'error_github_text' => 'Če želite, lahko novo številko odprete tudi na spletnem mestu https://github.com/firefly-iii/firefly-iii/issues.',
'error_stacktrace_below' => 'Celotna sled sklada je spodaj:', 'error_stacktrace_below' => 'Celotna sled sklada je spodaj:',
'error_headers' => 'Uporabne so lahko tudi naslednje HTTP glave:', 'error_headers' => 'Uporabne so lahko tudi naslednje HTTP glave:',
'error_post' => 'This was submitted by the user:', 'error_post' => 'To je poslal uporabnik:',
/* /*
* PLEASE DO NOT EDIT THIS FILE DIRECTLY. * PLEASE DO NOT EDIT THIS FILE DIRECTLY.

View File

@@ -1299,13 +1299,13 @@ return [
'no_location_set' => 'Lokacija ni nastavljena.', 'no_location_set' => 'Lokacija ni nastavljena.',
'meta_data' => 'Meta podatki', 'meta_data' => 'Meta podatki',
'location' => 'Lokacija', 'location' => 'Lokacija',
'location_first_split' => 'The location for this transaction can be set on the first split of this transaction.', 'location_first_split' => 'Mesto za to transakcijo je mogoče nastaviti ob prvi delitvi te transakcije.',
'without_date' => 'Brez datuma', 'without_date' => 'Brez datuma',
'result' => 'Rezultati', 'result' => 'Rezultati',
'sums_apply_to_range' => 'Vsi zneski veljajo za izbran interval', 'sums_apply_to_range' => 'Vsi zneski veljajo za izbran interval',
'mapbox_api_key' => 'Če želite uporabiti zemljevid, pridobite API ključ iz <a href="https://www.mapbox.com/"> Mapbox-a</a>. Odprite datoteko <code>.env</code> in vanjo vnesite kodo za <code>MAPBOX_API_KEY=</code>.', 'mapbox_api_key' => 'Če želite uporabiti zemljevid, pridobite API ključ iz <a href="https://www.mapbox.com/"> Mapbox-a</a>. Odprite datoteko <code>.env</code> in vanjo vnesite kodo za <code>MAPBOX_API_KEY=</code>.',
'press_object_location' => 'Z desnim klikom ali dolgim pritiskom nastavite lokacijo objekta.', 'press_object_location' => 'Z desnim klikom ali dolgim pritiskom nastavite lokacijo objekta.',
'click_tap_location' => 'Click or tap the map to add a location', 'click_tap_location' => 'Kliknite ali tapnite zemljevid, da dodate lokacijo',
'clear_location' => 'Počisti lokacijo', 'clear_location' => 'Počisti lokacijo',
'delete_all_selected_tags' => 'Izbriši vse izbrane oznake', 'delete_all_selected_tags' => 'Izbriši vse izbrane oznake',
'select_tags_to_delete' => 'Ne pozabite izbrati oznak.', 'select_tags_to_delete' => 'Ne pozabite izbrati oznak.',
@@ -1951,12 +1951,13 @@ return [
*/ */
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Počakajte, da se obrazec naloži',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_loading_data' => 'Please wait for your information to load...',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'wait_attachments' => 'Počakajte, da se priloge naložijo.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'errors_upload' => 'Nalaganje ni uspelo. Preverite, ali je v konzoli brskalnika prišlo do napake.',
'amount_destination_account' => 'Amount in the currency of the destination account', 'amount_foreign_if' => 'Znesek v tuji valuti, če obstaja',
'edit_transaction_title' => 'Edit transaction ":description"', 'amount_destination_account' => 'Znesek v valuti ciljnega računa',
'edit_transaction_title' => 'Uredi transakcijo ":description"',
'unreconcile' => 'Razveljavi uskladitev', 'unreconcile' => 'Razveljavi uskladitev',
'update_withdrawal' => 'Posodobi dvig', 'update_withdrawal' => 'Posodobi dvig',
'update_deposit' => 'Posodobi polog', 'update_deposit' => 'Posodobi polog',
@@ -2341,7 +2342,7 @@ return [
'average' => 'Povprečno', 'average' => 'Povprečno',
'balanceFor' => 'Stanje za :name', 'balanceFor' => 'Stanje za :name',
'no_tags' => '(ni oznak)', 'no_tags' => '(ni oznak)',
'nothing_found' => '(nothing found)', 'nothing_found' => '(nič najdenega)',
// piggy banks: // piggy banks:
'event_history' => 'Zgodovina dogodkov', 'event_history' => 'Zgodovina dogodkov',
@@ -2554,7 +2555,7 @@ return [
'after_update_create_another' => 'Po posodobitvi se vrnite sem za nadaljevanje urejanja.', 'after_update_create_another' => 'Po posodobitvi se vrnite sem za nadaljevanje urejanja.',
'store_as_new' => 'Shranite kot novo transakcijo namesto posodabljanja.', 'store_as_new' => 'Shranite kot novo transakcijo namesto posodabljanja.',
'reset_after' => 'Po predložitvi ponastavite obrazec', 'reset_after' => 'Po predložitvi ponastavite obrazec',
'errors_submission' => 'There was something wrong with your submission. Please check out the errors below: %{errorMessage}', 'errors_submission' => 'Nekaj je bilo narobe z vašo oddajo. Preverite spodnje napake: %{errorMessage}',
'transaction_expand_split' => 'Razširi razdelitev', 'transaction_expand_split' => 'Razširi razdelitev',
'transaction_collapse_split' => 'Skrči razdelitev', 'transaction_collapse_split' => 'Skrči razdelitev',

View File

@@ -34,8 +34,8 @@
declare(strict_types=1); declare(strict_types=1);
return [ return [
'bad_type_source' => 'Firefly III can\'t determine the transaction type based on this source account.', 'bad_type_source' => 'Na podlagi tega izvornega računa Firefly III ne more določiti vrste transakcije.',
'bad_type_destination' => 'Firefly III can\'t determine the transaction type based on this destination account.', 'bad_type_destination' => 'Na podlagi tega ciljnega računa Firefly III ne more določiti vrste transakcije.',
'missing_where' => 'Matriki manjka člen "kjer"', 'missing_where' => 'Matriki manjka člen "kjer"',
'missing_update' => 'Matriki manjka člen "posodobi"', 'missing_update' => 'Matriki manjka člen "posodobi"',
'invalid_where_key' => 'JSON vsebuje neveljaven ključ za člen "kjer"', 'invalid_where_key' => 'JSON vsebuje neveljaven ključ za člen "kjer"',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1953,6 +1953,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1953,6 +1953,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -1952,6 +1952,7 @@ return [
// transactions: // transactions:
'wait_loading_transaction' => 'Please wait for the form to load', 'wait_loading_transaction' => 'Please wait for the form to load',
'wait_loading_data' => 'Please wait for your information to load...',
'wait_attachments' => 'Please wait for the attachments to upload.', 'wait_attachments' => 'Please wait for the attachments to upload.',
'errors_upload' => 'The upload has failed. Please check your browser console for the error.', 'errors_upload' => 'The upload has failed. Please check your browser console for the error.',
'amount_foreign_if' => 'Amount in foreign currency, if any', 'amount_foreign_if' => 'Amount in foreign currency, if any',

View File

@@ -157,6 +157,7 @@ Route::group(
static function (): void { static function (): void {
Route::post('', ['uses' => 'StoreController@post', 'as' => 'store']); Route::post('', ['uses' => 'StoreController@post', 'as' => 'store']);
Route::get('{userGroupTransaction}', ['uses' => 'ShowController@show', 'as' => 'show']); Route::get('{userGroupTransaction}', ['uses' => 'ShowController@show', 'as' => 'show']);
Route::put('{userGroupTransaction}', ['uses' => 'UpdateController@update', 'as' => 'update']);
} }
); );