Update frontend.

This commit is contained in:
James Cole 2021-04-05 14:18:49 +02:00
parent 7ab81e493a
commit 6d855e119d
No known key found for this signature in database
GPG Key ID: B5669F9493CDE38D
86 changed files with 578 additions and 104 deletions

View File

@ -1,6 +1,7 @@
{
"/public/js/dashboard.js": "/public/js/dashboard.js",
"/public/js/accounts/index.js": "/public/js/accounts/index.js",
"/public/js/accounts/delete.js": "/public/js/accounts/delete.js",
"/public/js/accounts/show.js": "/public/js/accounts/show.js",
"/public/js/transactions/create.js": "/public/js/transactions/create.js",
"/public/js/transactions/edit.js": "/public/js/transactions/edit.js",

View File

@ -63,7 +63,7 @@ $red: #CD5029;
@import '~admin-lte/build/scss/modals';
//@import '../toasts';
@import '~admin-lte/build/scss/buttons';
//@import '../callout';
@import '~admin-lte/build/scss/callout';
@import '~admin-lte/build/scss/alerts';
@import '~admin-lte/build/scss/table';
//@import '../carousel';

View File

@ -0,0 +1,185 @@
<!--
- Delete.vue
- Copyright (c) 2021 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/>.
-->
<template>
<div>
<div class="col-lg-6 col-md-12 col-sm-12 col-xs-12 offset-lg-3">
<div class="card card-default card-danger">
<div class="card-header">
<h3 class="card-title">
<i class="fas fa-exclamation-triangle"></i>
{{ $t('firefly.delete_account') }}
</h3>
</div>
<!-- /.card-header -->
<div class="card-body">
<div class="callout callout-danger" v-if="!deleting && !deleted">
<p>
{{ $t('form.permDeleteWarning') }}
</p>
</div>
<p v-if="!loading && !deleting && !deleted">
{{ $t('form.account_areYouSure_js', {'name': this.accountName}) }}
</p>
<p v-if="!loading && !deleting && !deleted">
<span v-if="piggyBankCount > 0">
{{ $tc('form.also_delete_piggyBanks_js', piggyBankCount, {count: piggyBankCount}) }}
</span>
<span v-if="transactionCount > 0">
{{ $tc('form.also_delete_transactions_js', transactionCount, {count: transactionCount}) }}
</span>
</p>
<p v-if="transactionCount > 0 && !deleting && !deleted">
{{ $tc('firefly.save_transactions_by_moving_js', transactionCount) }}
</p>
<p v-if="transactionCount > 0 && !deleting && !deleted">
<select name="account" v-model="moveToAccount" class="form-control">
<option :label="$t('firefly.none_in_select_list')" :value="0">{{ $t('firefly.none_in_select_list') }}</option>
<option v-for="account in accounts" :label="account.name" :value="account.id">{{ account.name }}</option>
</select>
</p>
<p v-if="loading || deleting || deleted" class="text-center">
<i class="fas fa-spinner fa-spin"></i>
</p>
</div>
<div class="card-footer">
<button @click="deleteAccount" class="btn btn-danger float-right" v-if="!loading && !deleting && !deleted"> {{
$t('firefly.delete_account')
}}
</button>
</div>
</div>
</div>
</div>
</template>
<script>
export default {
name: "Delete",
data() {
return {
loading: true,
deleting: false,
deleted: false,
accountId: 0,
accountName: '',
piggyBankCount: 0,
transactionCount: 0,
moveToAccount: 0,
accounts: []
}
},
created() {
let pathName = window.location.pathname;
console.log(pathName);
let parts = pathName.split('/');
this.accountId = parseInt(parts[parts.length - 1]);
this.getAccount();
},
methods: {
deleteAccount: function () {
this.deleting = true;
if (0 === this.moveToAccount) {
this.execDeleteAccount();
}
if (0 !== this.moveToAccount) {
// move to another account:
this.moveTransactions();
}
},
moveTransactions: function () {
axios.post('./api/v1/data/bulk/accounts/transactions', {original_account: this.accountId, destination_account: this.moveToAccount}).then(response => {
this.execDeleteAccount();
});
},
execDeleteAccount: function () {
axios.delete('./api/v1/accounts/' + this.accountId)
.then(response => {
this.deleted = true;
this.deleting = false;
window.location.href = (window.previousURL ?? '/') + '?account_id=' + this.accountId + '&message=deleted';
});
},
getAccount: function () {
axios.get('./api/v1/accounts/' + this.accountId)
.then(response => {
let account = response.data.data;
this.accountName = account.attributes.name;
// now get piggy and transaction count
this.getPiggyBankCount(account.attributes.type, account.attributes.currency_code);
}
);
},
getAccounts: function (type, currencyCode) {
axios.get('./api/v1/accounts?type=' + type)
.then(response => {
let accounts = response.data.data;
for (let i in accounts) {
if (accounts.hasOwnProperty(i) && /^0$|^[1-9]\d*$/.test(i) && i <= 4294967294) {
let current = accounts[i];
if (false === current.attributes.active) {
continue;
}
if (currencyCode !== current.attributes.currency_code) {
continue;
}
if (this.accountId === parseInt(current.id)) {
continue;
}
this.accounts.push({id: current.id, name: current.attributes.name});
}
}
this.loading = false;
}
);
// get accounts of the same type.
console.log('Go for "' + type + '"');
},
getPiggyBankCount: function (type, currencyCode) {
axios.get('./api/v1/accounts/' + this.accountId + '/piggy_banks')
.then(response => {
this.piggyBankCount = response.data.meta.pagination.total ? parseInt(response.data.meta.pagination.total) : 0;
this.getTransactionCount(type, currencyCode);
}
);
},
getTransactionCount: function (type, currencyCode) {
axios.get('./api/v1/accounts/' + this.accountId + '/transactions')
.then(response => {
this.transactionCount = response.data.meta.pagination.total ? parseInt(response.data.meta.pagination.total) : 0;
if (this.transactionCount > 0) {
this.getAccounts(type, currencyCode);
}
if (0 === this.transactionCount) {
this.loading = false;
}
}
);
}
}
}
</script>
<style scoped>
</style>

View File

@ -30,6 +30,7 @@
"notes": "\u0411\u0435\u043b\u0435\u0436\u043a\u0438",
"yourAccounts": "\u0412\u0430\u0448\u0438\u0442\u0435 \u0441\u043c\u0435\u0442\u043a\u0438",
"go_to_asset_accounts": "\u0412\u0438\u0436\u0442\u0435 \u0430\u043a\u0442\u0438\u0432\u0438\u0442\u0435 \u0441\u0438",
"delete_account": "\u0418\u0437\u0442\u0440\u0438\u0432\u0430\u043d\u0435 \u043d\u0430 \u043f\u0440\u043e\u0444\u0438\u043b",
"transaction_table_description": "\u0422\u0430\u0431\u043b\u0438\u0446\u0430 \u0441\u044a\u0434\u044a\u0440\u0436\u0430\u0449\u0430 \u0432\u0430\u0448\u0438\u0442\u0435 \u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u0438",
"account": "\u0421\u043c\u0435\u0442\u043a\u0430",
"description": "\u041e\u043f\u0438\u0441\u0430\u043d\u0438\u0435",
@ -107,7 +108,9 @@
"actions": "\u0414\u0435\u0439\u0441\u0442\u0432\u0438\u044f",
"edit": "\u041f\u0440\u043e\u043c\u0435\u043d\u0438",
"delete": "\u0418\u0437\u0442\u0440\u0438\u0439",
"reconcile_this_account": "\u0421\u044a\u0433\u043b\u0430\u0441\u0443\u0432\u0430\u0439 \u0442\u0430\u0437\u0438 \u0441\u043c\u0435\u0442\u043a\u0430"
"reconcile_this_account": "\u0421\u044a\u0433\u043b\u0430\u0441\u0443\u0432\u0430\u0439 \u0442\u0430\u0437\u0438 \u0441\u043c\u0435\u0442\u043a\u0430",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(\u043d\u0438\u0449\u043e)"
},
"list": {
"piggy_bank": "\u041a\u0430\u0441\u0438\u0447\u043a\u0430",
@ -126,6 +129,10 @@
"foreign_amount": "\u0421\u0443\u043c\u0430 \u0432\u044a\u0432 \u0432\u0430\u043b\u0443\u0442\u0430",
"interest_date": "\u041f\u0430\u0434\u0435\u0436 \u043d\u0430 \u043b\u0438\u0445\u0432\u0430",
"book_date": "\u0414\u0430\u0442\u0430 \u043d\u0430 \u043e\u0441\u0447\u0435\u0442\u043e\u0432\u043e\u0434\u044f\u0432\u0430\u043d\u0435",
"permDeleteWarning": "\u0418\u0437\u0442\u0440\u0438\u0432\u0430\u043d\u0435\u0442\u043e \u043d\u0430 \u043d\u0435\u0449\u0430 \u043e\u0442 Firefly III \u0435 \u043f\u043e\u0441\u0442\u043e\u044f\u043d\u043d\u043e \u0438 \u043d\u0435 \u043c\u043e\u0436\u0435 \u0434\u0430 \u0431\u044a\u0434\u0435 \u0432\u044a\u0437\u0441\u0442\u0430\u043d\u043e\u0432\u0435\u043d\u043e.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "\u0414\u0430\u0442\u0430 \u043d\u0430 \u043e\u0431\u0440\u0430\u0431\u043e\u0442\u043a\u0430",
"due_date": "\u0414\u0430\u0442\u0430 \u043d\u0430 \u043f\u0430\u0434\u0435\u0436",
"payment_date": "\u0414\u0430\u0442\u0430 \u043d\u0430 \u043f\u043b\u0430\u0449\u0430\u043d\u0435",

View File

@ -30,6 +30,7 @@
"notes": "Pozn\u00e1mky",
"yourAccounts": "Va\u0161e \u00fa\u010dty",
"go_to_asset_accounts": "Zobrazit \u00fa\u010dty s aktivy",
"delete_account": "Smazat \u00fa\u010det",
"transaction_table_description": "A table containing your transactions",
"account": "\u00da\u010det",
"description": "Popis",
@ -107,7 +108,9 @@
"actions": "Akce",
"edit": "Upravit",
"delete": "Odstranit",
"reconcile_this_account": "Vy\u00fa\u010dtovat tento \u00fa\u010det"
"reconcile_this_account": "Vy\u00fa\u010dtovat tento \u00fa\u010det",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(\u017e\u00e1dn\u00e9)"
},
"list": {
"piggy_bank": "Pokladni\u010dka",
@ -126,6 +129,10 @@
"foreign_amount": "\u010c\u00e1stka v ciz\u00ed m\u011bn\u011b",
"interest_date": "\u00darokov\u00e9 datum",
"book_date": "Datum rezervace",
"permDeleteWarning": "Odstran\u011bn\u00ed v\u011bc\u00ed z Firefly III je trval\u00e9 a nelze vr\u00e1tit zp\u011bt.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "Datum zpracov\u00e1n\u00ed",
"due_date": "Datum splatnosti",
"payment_date": "Datum zaplacen\u00ed",

View File

@ -30,6 +30,7 @@
"notes": "Notizen",
"yourAccounts": "Deine Konten",
"go_to_asset_accounts": "Bestandskonten anzeigen",
"delete_account": "Konto l\u00f6schen",
"transaction_table_description": "Eine Tabelle mit Ihren Buchungen",
"account": "Konto",
"description": "Beschreibung",
@ -107,7 +108,9 @@
"actions": "Aktionen",
"edit": "Bearbeiten",
"delete": "L\u00f6schen",
"reconcile_this_account": "Dieses Konto abgleichen"
"reconcile_this_account": "Dieses Konto abgleichen",
"save_transactions_by_moving_js": "Keine Buchungen|Speichern Sie diese Buchung, indem Sie sie auf ein anderes Konto verschieben. |Speichern Sie diese Buchungen, indem Sie sie auf ein anderes Konto verschieben.",
"none_in_select_list": "(Keine)"
},
"list": {
"piggy_bank": "Sparschwein",
@ -126,6 +129,10 @@
"foreign_amount": "Ausl\u00e4ndischer Betrag",
"interest_date": "Zinstermin",
"book_date": "Buchungsdatum",
"permDeleteWarning": "Das L\u00f6schen von Dingen in Firefly III ist dauerhaft und kann nicht r\u00fcckg\u00e4ngig gemacht werden.",
"account_areYouSure_js": "M\u00f6chten Sie das Konto \u201e{name}\u201d wirklich l\u00f6schen?",
"also_delete_piggyBanks_js": "Keine Sparschweine|Das einzige Sparschwein, welches mit diesem Konto verbunden ist, wird ebenfalls gel\u00f6scht.|Alle {count} Sparschweine, welche mit diesem Konto verbunden sind, werden ebenfalls gel\u00f6scht.",
"also_delete_transactions_js": "Keine Buchungen|Die einzige Buchung, die mit diesem Konto verbunden ist, wird ebenfalls gel\u00f6scht.|Alle {count} Buchungen, die mit diesem Konto verbunden sind, werden ebenfalls gel\u00f6scht.",
"process_date": "Bearbeitungsdatum",
"due_date": "F\u00e4lligkeitstermin",
"payment_date": "Zahlungsdatum",

View File

@ -30,6 +30,7 @@
"notes": "\u03a3\u03b7\u03bc\u03b5\u03b9\u03ce\u03c3\u03b5\u03b9\u03c2",
"yourAccounts": "\u039f\u03b9 \u03bb\u03bf\u03b3\u03b1\u03c1\u03b9\u03b1\u03c3\u03bc\u03bf\u03af \u03c3\u03b1\u03c2",
"go_to_asset_accounts": "\u0394\u03b5\u03af\u03c4\u03b5 \u03c4\u03bf\u03c5\u03c2 \u03bb\u03bf\u03b3\u03b1\u03c1\u03b9\u03b1\u03c3\u03bc\u03bf\u03cd\u03c2 \u03ba\u03b5\u03c6\u03b1\u03bb\u03b1\u03af\u03bf\u03c5 \u03c3\u03b1\u03c2",
"delete_account": "\u0394\u03b9\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae \u03bb\u03bf\u03b3\u03b1\u03c1\u03b9\u03b1\u03c3\u03bc\u03bf\u03cd",
"transaction_table_description": "\u0388\u03bd\u03b1\u03c2 \u03c0\u03af\u03bd\u03b1\u03ba\u03b1\u03c2 \u03bc\u03b5 \u03c4\u03b9\u03c2 \u03c3\u03c5\u03bd\u03b1\u03bb\u03bb\u03b1\u03b3\u03ad\u03c2 \u03c3\u03b1\u03c2",
"account": "\u039b\u03bf\u03b3\u03b1\u03c1\u03b9\u03b1\u03c3\u03bc\u03cc\u03c2",
"description": "\u03a0\u03b5\u03c1\u03b9\u03b3\u03c1\u03b1\u03c6\u03ae",
@ -107,7 +108,9 @@
"actions": "\u0395\u03bd\u03ad\u03c1\u03b3\u03b5\u03b9\u03b5\u03c2",
"edit": "\u0395\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03af\u03b1",
"delete": "\u0394\u03b9\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae",
"reconcile_this_account": "\u03a4\u03b1\u03ba\u03c4\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7 \u03b1\u03c5\u03c4\u03bf\u03cd \u03c4\u03bf\u03c5 \u03bb\u03bf\u03b3\u03b1\u03c1\u03b9\u03b1\u03c3\u03bc\u03bf\u03cd"
"reconcile_this_account": "\u03a4\u03b1\u03ba\u03c4\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7 \u03b1\u03c5\u03c4\u03bf\u03cd \u03c4\u03bf\u03c5 \u03bb\u03bf\u03b3\u03b1\u03c1\u03b9\u03b1\u03c3\u03bc\u03bf\u03cd",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(\u03c4\u03af\u03c0\u03bf\u03c4\u03b1)"
},
"list": {
"piggy_bank": "\u039a\u03bf\u03c5\u03bc\u03c0\u03b1\u03c1\u03ac\u03c2",
@ -126,6 +129,10 @@
"foreign_amount": "\u03a0\u03bf\u03c3\u03cc \u03c3\u03b5 \u03be\u03ad\u03bd\u03bf \u03bd\u03cc\u03bc\u03b9\u03c3\u03bc\u03b1",
"interest_date": "\u0397\u03bc\u03b5\u03c1\u03bf\u03bc\u03b7\u03bd\u03af\u03b1 \u03c4\u03bf\u03ba\u03b9\u03c3\u03bc\u03bf\u03cd",
"book_date": "\u0397\u03bc\u03b5\u03c1\u03bf\u03bc\u03b7\u03bd\u03af\u03b1 \u03b5\u03b3\u03b3\u03c1\u03b1\u03c6\u03ae\u03c2",
"permDeleteWarning": "\u0397 \u03b4\u03b9\u03b1\u03b3\u03c1\u03b1\u03c6\u03ae \u03c3\u03c4\u03bf\u03b9\u03c7\u03b5\u03af\u03c9\u03bd \u03b1\u03c0\u03cc \u03c4\u03bf Firefly III \u03b5\u03af\u03bd\u03b1\u03b9 \u03bc\u03cc\u03bd\u03b9\u03bc\u03b7 \u03ba\u03b1\u03b9 \u03b4\u03b5\u03bd \u03bc\u03c0\u03bf\u03c1\u03b5\u03af \u03bd\u03b1 \u03b1\u03bd\u03b1\u03b9\u03c1\u03b5\u03b8\u03b5\u03af.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "\u0397\u03bc\u03b5\u03c1\u03bf\u03bc\u03b7\u03bd\u03af\u03b1 \u03b5\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03af\u03b1\u03c2",
"due_date": "\u0397\u03bc\u03b5\u03c1\u03bf\u03bc\u03b7\u03bd\u03af\u03b1 \u03c0\u03c1\u03bf\u03b8\u03b5\u03c3\u03bc\u03af\u03b1\u03c2",
"payment_date": "\u0397\u03bc\u03b5\u03c1\u03bf\u03bc\u03b7\u03bd\u03af\u03b1 \u03c0\u03bb\u03b7\u03c1\u03c9\u03bc\u03ae\u03c2",

View File

@ -30,6 +30,7 @@
"notes": "Notes",
"yourAccounts": "Your accounts",
"go_to_asset_accounts": "View your asset accounts",
"delete_account": "Delete account",
"transaction_table_description": "A table containing your transactions",
"account": "Account",
"description": "Description",
@ -107,7 +108,9 @@
"actions": "Actions",
"edit": "Edit",
"delete": "Delete",
"reconcile_this_account": "Reconcile this account"
"reconcile_this_account": "Reconcile this account",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(none)"
},
"list": {
"piggy_bank": "Piggy bank",
@ -126,6 +129,10 @@
"foreign_amount": "Foreign amount",
"interest_date": "Interest date",
"book_date": "Book date",
"permDeleteWarning": "Deleting stuff from Firefly III is permanent and cannot be undone.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "Processing date",
"due_date": "Due date",
"payment_date": "Payment date",

View File

@ -30,6 +30,7 @@
"notes": "Notes",
"yourAccounts": "Your accounts",
"go_to_asset_accounts": "View your asset accounts",
"delete_account": "Delete account",
"transaction_table_description": "A table containing your transactions",
"account": "Account",
"description": "Description",
@ -107,7 +108,9 @@
"actions": "Actions",
"edit": "Edit",
"delete": "Delete",
"reconcile_this_account": "Reconcile this account"
"reconcile_this_account": "Reconcile this account",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(none)"
},
"list": {
"piggy_bank": "Piggy bank",
@ -126,6 +129,10 @@
"foreign_amount": "Foreign amount",
"interest_date": "Interest date",
"book_date": "Book date",
"permDeleteWarning": "Deleting stuff from Firefly III is permanent and cannot be undone.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "Processing date",
"due_date": "Due date",
"payment_date": "Payment date",

View File

@ -30,6 +30,7 @@
"notes": "Notas",
"yourAccounts": "Tus cuentas",
"go_to_asset_accounts": "Ver tus cuentas de activos",
"delete_account": "Eliminar cuenta",
"transaction_table_description": "Una tabla que contiene sus transacciones",
"account": "Cuenta",
"description": "Descripci\u00f3n",
@ -107,7 +108,9 @@
"actions": "Acciones",
"edit": "Editar",
"delete": "Eliminar",
"reconcile_this_account": "Reconciliar esta cuenta"
"reconcile_this_account": "Reconciliar esta cuenta",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(ninguno)"
},
"list": {
"piggy_bank": "Alcancilla",
@ -126,6 +129,10 @@
"foreign_amount": "Cantidad extranjera",
"interest_date": "Fecha de inter\u00e9s",
"book_date": "Fecha de registro",
"permDeleteWarning": "Eliminar cosas de Firefly III es permanente y no se puede deshacer.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "Fecha de procesamiento",
"due_date": "Fecha de vencimiento",
"payment_date": "Fecha de pago",

View File

@ -30,6 +30,7 @@
"notes": "Muistiinpanot",
"yourAccounts": "Omat tilisi",
"go_to_asset_accounts": "Tarkastele omaisuustilej\u00e4si",
"delete_account": "Poista k\u00e4ytt\u00e4j\u00e4tili",
"transaction_table_description": "A table containing your transactions",
"account": "Tili",
"description": "Kuvaus",
@ -107,7 +108,9 @@
"actions": "Toiminnot",
"edit": "Muokkaa",
"delete": "Poista",
"reconcile_this_account": "T\u00e4sm\u00e4yt\u00e4 t\u00e4m\u00e4 tili"
"reconcile_this_account": "T\u00e4sm\u00e4yt\u00e4 t\u00e4m\u00e4 tili",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(ei mit\u00e4\u00e4n)"
},
"list": {
"piggy_bank": "S\u00e4\u00e4st\u00f6possu",
@ -126,6 +129,10 @@
"foreign_amount": "Ulkomaan summa",
"interest_date": "Korkop\u00e4iv\u00e4",
"book_date": "Kirjausp\u00e4iv\u00e4",
"permDeleteWarning": "Asioiden poistaminen Firefly III:sta on lopullista eik\u00e4 poistoa pysty perumaan.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "K\u00e4sittelyp\u00e4iv\u00e4",
"due_date": "Er\u00e4p\u00e4iv\u00e4",
"payment_date": "Maksup\u00e4iv\u00e4",

View File

@ -30,6 +30,7 @@
"notes": "Notes",
"yourAccounts": "Vos comptes",
"go_to_asset_accounts": "Afficher vos comptes d'actifs",
"delete_account": "Supprimer le compte",
"transaction_table_description": "Une table contenant vos op\u00e9rations",
"account": "Compte",
"description": "Description",
@ -107,7 +108,9 @@
"actions": "Actions",
"edit": "Modifier",
"delete": "Supprimer",
"reconcile_this_account": "Rapprocher ce compte"
"reconcile_this_account": "Rapprocher ce compte",
"save_transactions_by_moving_js": "Aucune op\u00e9ration|Conserver cette op\u00e9ration en la d\u00e9pla\u00e7ant vers un autre compte. |Conserver ces op\u00e9rations en les d\u00e9pla\u00e7ant vers un autre compte.",
"none_in_select_list": "(aucun)"
},
"list": {
"piggy_bank": "Tirelire",
@ -126,6 +129,10 @@
"foreign_amount": "Montant en devise \u00e9trang\u00e8re",
"interest_date": "Date de valeur (int\u00e9r\u00eats)",
"book_date": "Date de r\u00e9servation",
"permDeleteWarning": "Supprimer quelque chose dans Firefly est permanent et ne peut pas \u00eatre annul\u00e9.",
"account_areYouSure_js": "\u00cates-vous s\u00fbr de vouloir supprimer le compte nomm\u00e9 \"{name}\" ?",
"also_delete_piggyBanks_js": "Aucune tirelire|La seule tirelire li\u00e9e \u00e0 ce compte sera aussi supprim\u00e9e.|Les {count} tirelires li\u00e9es \u00e0 ce compte seront aussi supprim\u00e9es.",
"also_delete_transactions_js": "Aucune op\u00e9ration|La seule op\u00e9ration li\u00e9e \u00e0 ce compte sera aussi supprim\u00e9e.|Les {count} op\u00e9rations li\u00e9es \u00e0 ce compte seront aussi supprim\u00e9es.",
"process_date": "Date de traitement",
"due_date": "\u00c9ch\u00e9ance",
"payment_date": "Date de paiement",

View File

@ -30,6 +30,7 @@
"notes": "Megjegyz\u00e9sek",
"yourAccounts": "Banksz\u00e1ml\u00e1k",
"go_to_asset_accounts": "Eszk\u00f6zsz\u00e1ml\u00e1k megtekint\u00e9se",
"delete_account": "Fi\u00f3k t\u00f6rl\u00e9se",
"transaction_table_description": "Tranzakci\u00f3kat tartalmaz\u00f3 t\u00e1bl\u00e1zat",
"account": "Banksz\u00e1mla",
"description": "Le\u00edr\u00e1s",
@ -107,7 +108,9 @@
"actions": "M\u0171veletek",
"edit": "Szerkeszt\u00e9s",
"delete": "T\u00f6rl\u00e9s",
"reconcile_this_account": "Sz\u00e1mla egyeztet\u00e9se"
"reconcile_this_account": "Sz\u00e1mla egyeztet\u00e9se",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(nincs)"
},
"list": {
"piggy_bank": "Malacpersely",
@ -126,6 +129,10 @@
"foreign_amount": "K\u00fclf\u00f6ldi \u00f6sszeg",
"interest_date": "Kamatfizet\u00e9si id\u0151pont",
"book_date": "K\u00f6nyvel\u00e9s d\u00e1tuma",
"permDeleteWarning": "A Firefly III-b\u00f3l t\u00f6rt\u00e9n\u0151 t\u00f6rl\u00e9s v\u00e9gleges \u00e9s nem vonhat\u00f3 vissza.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "Feldolgoz\u00e1s d\u00e1tuma",
"due_date": "Lej\u00e1rati id\u0151pont",
"payment_date": "Fizet\u00e9s d\u00e1tuma",

View File

@ -30,6 +30,7 @@
"notes": "Note",
"yourAccounts": "I tuoi conti",
"go_to_asset_accounts": "Visualizza i tuoi conti attivit\u00e0",
"delete_account": "Elimina account",
"transaction_table_description": "Una tabella contenente le tue transazioni",
"account": "Conto",
"description": "Descrizione",
@ -107,7 +108,9 @@
"actions": "Azioni",
"edit": "Modifica",
"delete": "Elimina",
"reconcile_this_account": "Riconcilia questo conto"
"reconcile_this_account": "Riconcilia questo conto",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(nessuna)"
},
"list": {
"piggy_bank": "Salvadanaio",
@ -126,6 +129,10 @@
"foreign_amount": "Importo estero",
"interest_date": "Data di valuta",
"book_date": "Data contabile",
"permDeleteWarning": "L'eliminazione dei dati da Firefly III \u00e8 definitiva e non pu\u00f2 essere annullata.",
"account_areYouSure_js": "Sei sicuro di voler eliminare il conto \"{name}\"?",
"also_delete_piggyBanks_js": "Nessun salvadanaio|Anche l'unico salvadanaio collegato a questo conto verr\u00e0 eliminato.|Anche tutti i {count} salvadanai collegati a questo conto verranno eliminati.",
"also_delete_transactions_js": "Nessuna transazioni|Anche l'unica transazione collegata al conto verr\u00e0 eliminata.|Anche tutte le {count} transazioni collegati a questo conto verranno eliminate.",
"process_date": "Data elaborazione",
"due_date": "Data scadenza",
"payment_date": "Data pagamento",

View File

@ -30,6 +30,7 @@
"notes": "Notater",
"yourAccounts": "Dine kontoer",
"go_to_asset_accounts": "Se aktivakontoene dine",
"delete_account": "Slett konto",
"transaction_table_description": "A table containing your transactions",
"account": "Konto",
"description": "Beskrivelse",
@ -107,7 +108,9 @@
"actions": "Handlinger",
"edit": "Rediger",
"delete": "Slett",
"reconcile_this_account": "Avstem denne kontoen"
"reconcile_this_account": "Avstem denne kontoen",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(ingen)"
},
"list": {
"piggy_bank": "Sparegris",
@ -126,6 +129,10 @@
"foreign_amount": "Utenlandske bel\u00f8p",
"interest_date": "Rentedato",
"book_date": "Bokf\u00f8ringsdato",
"permDeleteWarning": "Sletting av data fra Firefly III er permanent, og kan ikke angres.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "Prosesseringsdato",
"due_date": "Forfallsdato",
"payment_date": "Betalingsdato",

View File

@ -30,6 +30,7 @@
"notes": "Notities",
"yourAccounts": "Je betaalrekeningen",
"go_to_asset_accounts": "Bekijk je betaalrekeningen",
"delete_account": "Verwijder je account",
"transaction_table_description": "Een tabel met je transacties",
"account": "Rekening",
"description": "Omschrijving",
@ -107,7 +108,9 @@
"actions": "Acties",
"edit": "Wijzig",
"delete": "Verwijder",
"reconcile_this_account": "Stem deze rekening af"
"reconcile_this_account": "Stem deze rekening af",
"save_transactions_by_moving_js": "Geen transacties|Bewaar deze transactie door ze aan een andere rekening te koppelen.|Bewaar deze transacties door ze aan een andere rekening te koppelen.",
"none_in_select_list": "(geen)"
},
"list": {
"piggy_bank": "Spaarpotje",
@ -126,6 +129,10 @@
"foreign_amount": "Bedrag in vreemde valuta",
"interest_date": "Rentedatum",
"book_date": "Boekdatum",
"permDeleteWarning": "Dingen verwijderen uit Firefly III is permanent en kan niet ongedaan gemaakt worden.",
"account_areYouSure_js": "Weet je zeker dat je de rekening met naam \"{name}\" wilt verwijderen?",
"also_delete_piggyBanks_js": "Geen spaarpotjes|Ook het spaarpotje verbonden aan deze rekening wordt verwijderd.|Ook alle {count} spaarpotjes verbonden aan deze rekening worden verwijderd.",
"also_delete_transactions_js": "Geen transacties|Ook de enige transactie verbonden aan deze rekening wordt verwijderd.|Ook alle {count} transacties verbonden aan deze rekening worden verwijderd.",
"process_date": "Verwerkingsdatum",
"due_date": "Vervaldatum",
"payment_date": "Betalingsdatum",

View File

@ -30,6 +30,7 @@
"notes": "Notatki",
"yourAccounts": "Twoje konta",
"go_to_asset_accounts": "Zobacz swoje konta aktyw\u00f3w",
"delete_account": "Usu\u0144 konto",
"transaction_table_description": "Tabela zawieraj\u0105ca Twoje transakcje",
"account": "Konto",
"description": "Opis",
@ -107,7 +108,9 @@
"actions": "Akcje",
"edit": "Modyfikuj",
"delete": "Usu\u0144",
"reconcile_this_account": "Uzgodnij to konto"
"reconcile_this_account": "Uzgodnij to konto",
"save_transactions_by_moving_js": "Brak transakcji|Zapisz t\u0119 transakcj\u0119, przenosz\u0105c j\u0105 na inne konto.|Zapisz te transakcje przenosz\u0105c je na inne konto.",
"none_in_select_list": "(\u017cadne)"
},
"list": {
"piggy_bank": "Skarbonka",
@ -126,6 +129,10 @@
"foreign_amount": "Kwota zagraniczna",
"interest_date": "Data odsetek",
"book_date": "Data ksi\u0119gowania",
"permDeleteWarning": "Usuwanie rzeczy z Firefly III jest trwa\u0142e i nie mo\u017cna tego cofn\u0105\u0107.",
"account_areYouSure_js": "Czy na pewno chcesz usun\u0105\u0107 konto o nazwie \"{name}\"?",
"also_delete_piggyBanks_js": "Brak skarbonek|Jedyna skarbonka po\u0142\u0105czona z tym kontem r\u00f3wnie\u017c zostanie usuni\u0119ta.|Wszystkie {count} skarbonki po\u0142\u0105czone z tym kontem zostan\u0105 r\u00f3wnie\u017c usuni\u0119te.",
"also_delete_transactions_js": "Brak transakcji|Jedyna transakcja po\u0142\u0105czona z tym kontem r\u00f3wnie\u017c zostanie usuni\u0119ta.|Wszystkie {count} transakcje po\u0142\u0105czone z tym kontem r\u00f3wnie\u017c zostan\u0105 usuni\u0119te.",
"process_date": "Data przetworzenia",
"due_date": "Termin realizacji",
"payment_date": "Data p\u0142atno\u015bci",

View File

@ -30,6 +30,7 @@
"notes": "Notas",
"yourAccounts": "Suas contas",
"go_to_asset_accounts": "Veja suas contas ativas",
"delete_account": "Apagar conta",
"transaction_table_description": "Uma tabela contendo suas transa\u00e7\u00f5es",
"account": "Conta",
"description": "Descri\u00e7\u00e3o",
@ -107,7 +108,9 @@
"actions": "A\u00e7\u00f5es",
"edit": "Editar",
"delete": "Apagar",
"reconcile_this_account": "Concilie esta conta"
"reconcile_this_account": "Concilie esta conta",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(nenhum)"
},
"list": {
"piggy_bank": "Cofrinho",
@ -126,6 +129,10 @@
"foreign_amount": "Montante em moeda estrangeira",
"interest_date": "Data de interesse",
"book_date": "Data reserva",
"permDeleteWarning": "Exclus\u00e3o de dados do Firefly III s\u00e3o permanentes e n\u00e3o podem ser desfeitos.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "Data de processamento",
"due_date": "Data de vencimento",
"payment_date": "Data de pagamento",

View File

@ -30,6 +30,7 @@
"notes": "Notas",
"yourAccounts": "As suas contas",
"go_to_asset_accounts": "Ver as contas de activos",
"delete_account": "Apagar conta de utilizador",
"transaction_table_description": "Uma tabela com as suas transac\u00e7\u00f5es",
"account": "Conta",
"description": "Descricao",
@ -107,7 +108,9 @@
"actions": "A\u00e7\u00f5es",
"edit": "Alterar",
"delete": "Apagar",
"reconcile_this_account": "Reconciliar esta conta"
"reconcile_this_account": "Reconciliar esta conta",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(nenhum)"
},
"list": {
"piggy_bank": "Mealheiro",
@ -126,6 +129,10 @@
"foreign_amount": "Montante estrangeiro",
"interest_date": "Data de juros",
"book_date": "Data de registo",
"permDeleteWarning": "Apagar as tuas coisas do Firefly III e permanente e nao pode ser desfeito.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "Data de processamento",
"due_date": "Data de vencimento",
"payment_date": "Data de pagamento",

View File

@ -30,6 +30,7 @@
"notes": "Noti\u021be",
"yourAccounts": "Conturile dvs.",
"go_to_asset_accounts": "Vizualiza\u021bi conturile de active",
"delete_account": "\u0218terge account",
"transaction_table_description": "A table containing your transactions",
"account": "Cont",
"description": "Descriere",
@ -107,7 +108,9 @@
"actions": "Ac\u021biuni",
"edit": "Editeaz\u0103",
"delete": "\u0218terge",
"reconcile_this_account": "Reconcilia\u021bi acest cont"
"reconcile_this_account": "Reconcilia\u021bi acest cont",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(nici unul)"
},
"list": {
"piggy_bank": "Pu\u0219culi\u021b\u0103",
@ -126,6 +129,10 @@
"foreign_amount": "Sum\u0103 str\u0103in\u0103",
"interest_date": "Data de interes",
"book_date": "Rezerv\u0103 dat\u0103",
"permDeleteWarning": "\u0218tergerea este permanent\u0103 \u0219i nu poate fi anulat\u0103.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "Data proces\u0103rii",
"due_date": "Data scadent\u0103",
"payment_date": "Data de plat\u0103",

View File

@ -30,6 +30,7 @@
"notes": "\u0417\u0430\u043c\u0435\u0442\u043a\u0438",
"yourAccounts": "\u0412\u0430\u0448\u0438 \u0441\u0447\u0435\u0442\u0430",
"go_to_asset_accounts": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440 \u0432\u0430\u0448\u0438\u0445 \u043e\u0441\u043d\u043e\u0432\u043d\u044b\u0445 \u0441\u0447\u0435\u0442\u043e\u0432",
"delete_account": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u043f\u0440\u043e\u0444\u0438\u043b\u044c",
"transaction_table_description": "\u0422\u0430\u0431\u043b\u0438\u0446\u0430, \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u0449\u0430\u044f \u0432\u0430\u0448\u0438 \u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u0438",
"account": "\u0421\u0447\u0451\u0442",
"description": "\u041e\u043f\u0438\u0441\u0430\u043d\u0438\u0435",
@ -107,7 +108,9 @@
"actions": "\u0414\u0435\u0439\u0441\u0442\u0432\u0438\u044f",
"edit": "\u0418\u0437\u043c\u0435\u043d\u0438\u0442\u044c",
"delete": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c",
"reconcile_this_account": "\u041f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u0441\u0432\u0435\u0440\u043a\u0443 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u0441\u0447\u0451\u0442\u0430"
"reconcile_this_account": "\u041f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u0441\u0432\u0435\u0440\u043a\u0443 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u0441\u0447\u0451\u0442\u0430",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(\u043d\u0435\u0442)"
},
"list": {
"piggy_bank": "\u041a\u043e\u043f\u0438\u043b\u043a\u0430",
@ -126,6 +129,10 @@
"foreign_amount": "\u0421\u0443\u043c\u043c\u0430 \u0432 \u0438\u043d\u043e\u0441\u0442\u0440\u0430\u043d\u043d\u043e\u0439 \u0432\u0430\u043b\u044e\u0442\u0435",
"interest_date": "\u0414\u0430\u0442\u0430 \u043d\u0430\u0447\u0438\u0441\u043b\u0435\u043d\u0438\u044f \u043f\u0440\u043e\u0446\u0435\u043d\u0442\u043e\u0432",
"book_date": "\u0414\u0430\u0442\u0430 \u0431\u0440\u043e\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f",
"permDeleteWarning": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u0438 \u0438\u0437 Firefly III \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u043f\u043e\u0441\u0442\u043e\u044f\u043d\u043d\u044b\u043c \u0438 \u043d\u0435 \u043c\u043e\u0436\u0435\u0442 \u0431\u044b\u0442\u044c \u043e\u0442\u043c\u0435\u043d\u0435\u043d\u043e.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "\u0414\u0430\u0442\u0430 \u043e\u0431\u0440\u0430\u0431\u043e\u0442\u043a\u0438",
"due_date": "\u0421\u0440\u043e\u043a \u043e\u043f\u043b\u0430\u0442\u044b",
"payment_date": "\u0414\u0430\u0442\u0430 \u043f\u043b\u0430\u0442\u0435\u0436\u0430",

View File

@ -30,6 +30,7 @@
"notes": "Pozn\u00e1mky",
"yourAccounts": "Va\u0161e \u00fa\u010dty",
"go_to_asset_accounts": "Zobrazi\u0165 \u00fa\u010dty akt\u00edv",
"delete_account": "Odstr\u00e1ni\u0165 \u00fa\u010det",
"transaction_table_description": "Tabu\u013eka obsahuj\u00faca va\u0161e transakcie",
"account": "\u00da\u010det",
"description": "Popis",
@ -107,7 +108,9 @@
"actions": "Akcie",
"edit": "Upravi\u0165",
"delete": "Odstr\u00e1ni\u0165",
"reconcile_this_account": "Vy\u00fa\u010dtovat tento \u00fa\u010det"
"reconcile_this_account": "Vy\u00fa\u010dtovat tento \u00fa\u010det",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(\u017eiadne)"
},
"list": {
"piggy_bank": "Pokladni\u010dka",
@ -126,6 +129,10 @@
"foreign_amount": "Suma v cudzej mene",
"interest_date": "\u00darokov\u00fd d\u00e1tum",
"book_date": "D\u00e1tum rezerv\u00e1cie",
"permDeleteWarning": "Odstr\u00e1nenie \u00fadajov z Firefly III je trval\u00e9 a nie je mo\u017en\u00e9 ich vr\u00e1ti\u0165 sp\u00e4\u0165.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "D\u00e1tum spracovania",
"due_date": "D\u00e1tum splatnosti",
"payment_date": "D\u00e1tum \u00fahrady",

View File

@ -30,6 +30,7 @@
"notes": "Noteringar",
"yourAccounts": "Dina konton",
"go_to_asset_accounts": "Visa dina tillg\u00e5ngskonton",
"delete_account": "Ta bort konto",
"transaction_table_description": "En tabell som inneh\u00e5ller dina transaktioner",
"account": "Konto",
"description": "Beskrivning",
@ -58,7 +59,7 @@
"spent": "Spenderat",
"Default asset account": "F\u00f6rvalt tillg\u00e5ngskonto",
"search_results": "S\u00f6kresultat",
"include": "Include?",
"include": "Inkludera?",
"transaction": "Transaktion",
"account_role_defaultAsset": "F\u00f6rvalt tillg\u00e5ngskonto",
"account_role_savingAsset": "Sparkonto",
@ -107,7 +108,9 @@
"actions": "\u00c5tg\u00e4rder",
"edit": "Redigera",
"delete": "Ta bort",
"reconcile_this_account": "St\u00e4m av detta konto"
"reconcile_this_account": "St\u00e4m av detta konto",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(Ingen)"
},
"list": {
"piggy_bank": "Spargris",
@ -126,6 +129,10 @@
"foreign_amount": "Utl\u00e4ndskt belopp",
"interest_date": "R\u00e4ntedatum",
"book_date": "Bokf\u00f6ringsdatum",
"permDeleteWarning": "Att ta bort saker fr\u00e5n Firefly III \u00e4r permanent och kan inte \u00e5ngras.",
"account_areYouSure_js": "\u00c4r du s\u00e4ker du vill ta bort kontot \"{name}\"?",
"also_delete_piggyBanks_js": "Inga spargrisar|Den enda spargrisen som \u00e4r ansluten till detta konto kommer ocks\u00e5 att tas bort.|Alla {count} spargrisar anslutna till detta konto kommer ocks\u00e5 att tas bort.",
"also_delete_transactions_js": "Inga transaktioner|Den enda transaktionen som \u00e4r ansluten till detta konto kommer ocks\u00e5 att tas bort.|Alla {count} transaktioner som \u00e4r kopplade till detta konto kommer ocks\u00e5 att tas bort.",
"process_date": "Behandlingsdatum",
"due_date": "F\u00f6rfallodatum",
"payment_date": "Betalningsdatum",

View File

@ -30,6 +30,7 @@
"notes": "Ghi ch\u00fa",
"yourAccounts": "T\u00e0i kho\u1ea3n c\u1ee7a b\u1ea1n",
"go_to_asset_accounts": "Xem t\u00e0i kho\u1ea3n c\u1ee7a b\u1ea1n",
"delete_account": "X\u00f3a t\u00e0i kho\u1ea3n",
"transaction_table_description": "A table containing your transactions",
"account": "T\u00e0i kho\u1ea3n",
"description": "S\u1ef1 mi\u00eau t\u1ea3",
@ -107,7 +108,9 @@
"actions": "H\u00e0nh \u0111\u1ed9ng",
"edit": "S\u1eeda",
"delete": "X\u00f3a",
"reconcile_this_account": "\u0110i\u1ec1u ch\u1ec9nh t\u00e0i kho\u1ea3n n\u00e0y"
"reconcile_this_account": "\u0110i\u1ec1u ch\u1ec9nh t\u00e0i kho\u1ea3n n\u00e0y",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(Tr\u1ed1ng)"
},
"list": {
"piggy_bank": "\u1ed0ng heo con",
@ -126,6 +129,10 @@
"foreign_amount": "Ngo\u1ea1i t\u1ec7",
"interest_date": "Ng\u00e0y l\u00e3i",
"book_date": "Ng\u00e0y \u0111\u1eb7t s\u00e1ch",
"permDeleteWarning": "X\u00f3a n\u1ed9i dung kh\u1ecfi Firefly III l\u00e0 v\u0129nh vi\u1ec5n v\u00e0 kh\u00f4ng th\u1ec3 ho\u00e0n t\u00e1c.",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "Ng\u00e0y x\u1eed l\u00fd",
"due_date": "Ng\u00e0y \u0111\u00e1o h\u1ea1n",
"payment_date": "Ng\u00e0y thanh to\u00e1n",

View File

@ -30,6 +30,7 @@
"notes": "\u5907\u6ce8",
"yourAccounts": "\u60a8\u7684\u8d26\u6237",
"go_to_asset_accounts": "\u67e5\u770b\u60a8\u7684\u8d44\u4ea7\u8d26\u6237",
"delete_account": "\u5220\u9664\u8d26\u6237",
"transaction_table_description": "\u5305\u542b\u60a8\u4ea4\u6613\u7684\u8868\u683c",
"account": "\u8d26\u6237",
"description": "\u63cf\u8ff0",
@ -107,7 +108,9 @@
"actions": "\u64cd\u4f5c",
"edit": "\u7f16\u8f91",
"delete": "\u5220\u9664",
"reconcile_this_account": "\u5bf9\u8d26\u6b64\u8d26\u6237"
"reconcile_this_account": "\u5bf9\u8d26\u6b64\u8d26\u6237",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(\u7a7a)"
},
"list": {
"piggy_bank": "\u5b58\u94b1\u7f50",
@ -126,6 +129,10 @@
"foreign_amount": "\u5916\u5e01\u91d1\u989d",
"interest_date": "\u5229\u606f\u65e5\u671f",
"book_date": "\u767b\u8bb0\u65e5\u671f",
"permDeleteWarning": "\u4ece Firefly III \u5220\u9664\u5185\u5bb9\u662f\u6c38\u4e45\u4e14\u65e0\u6cd5\u6062\u590d\u7684\u3002",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "\u5904\u7406\u65e5\u671f",
"due_date": "\u5230\u671f\u65e5",
"payment_date": "\u4ed8\u6b3e\u65e5\u671f",

View File

@ -30,6 +30,7 @@
"notes": "\u5099\u8a3b",
"yourAccounts": "\u60a8\u7684\u5e33\u6236",
"go_to_asset_accounts": "\u6aa2\u8996\u60a8\u7684\u8cc7\u7522\u5e33\u6236",
"delete_account": "\u79fb\u9664\u5e33\u865f",
"transaction_table_description": "A table containing your transactions",
"account": "\u5e33\u6236",
"description": "\u63cf\u8ff0",
@ -107,7 +108,9 @@
"actions": "\u64cd\u4f5c",
"edit": "\u7de8\u8f2f",
"delete": "\u522a\u9664",
"reconcile_this_account": "\u5c0d\u5e33\u6b64\u5e33\u6236"
"reconcile_this_account": "\u5c0d\u5e33\u6b64\u5e33\u6236",
"save_transactions_by_moving_js": "No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.",
"none_in_select_list": "(\u7a7a)"
},
"list": {
"piggy_bank": "\u5c0f\u8c6c\u64b2\u6eff",
@ -126,6 +129,10 @@
"foreign_amount": "\u5916\u5e63\u91d1\u984d",
"interest_date": "\u5229\u7387\u65e5\u671f",
"book_date": "\u767b\u8a18\u65e5\u671f",
"permDeleteWarning": "\u81ea Firefly III \u522a\u9664\u9805\u76ee\u662f\u6c38\u4e45\u4e14\u4e0d\u53ef\u64a4\u92b7\u7684\u3002",
"account_areYouSure_js": "Are you sure you want to delete the account named \"{name}\"?",
"also_delete_piggyBanks_js": "No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.",
"also_delete_transactions_js": "No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.",
"process_date": "\u8655\u7406\u65e5\u671f",
"due_date": "\u5230\u671f\u65e5",
"payment_date": "\u4ed8\u6b3e\u65e5\u671f",

View File

@ -45,8 +45,10 @@ mix.webpackConfig({
// dashboard and empty page
mix.js('src/pages/dashboard.js', 'public/js').vue({version: 2});
// accounts.
mix.js('src/pages/accounts/index.js', 'public/js/accounts').vue({version: 2});
mix.js('src/pages/accounts/delete.js', 'public/js/accounts').vue({version: 2});
mix.js('src/pages/accounts/show.js', 'public/js/accounts').vue({version: 2});

View File

@ -3864,10 +3864,10 @@ fs-extra@^9.0.1, fs-extra@^9.1.0:
jsonfile "^6.0.1"
universalify "^2.0.0"
fs-monkey@1.0.1:
version "1.0.1"
resolved "https://registry.yarnpkg.com/fs-monkey/-/fs-monkey-1.0.1.tgz#4a82f36944365e619f4454d9fff106553067b781"
integrity sha512-fcSa+wyTqZa46iWweI7/ZiUfegOZl0SG8+dltIwFXo7+zYU9J9kpS3NB6pZcSlJdhvIwp81Adx2XhZorncxiaA==
fs-monkey@1.0.3:
version "1.0.3"
resolved "https://registry.yarnpkg.com/fs-monkey/-/fs-monkey-1.0.3.tgz#ae3ac92d53bb328efe0e9a1d9541f6ad8d48e2d3"
integrity sha512-cybjIfiiE+pTWicSCLFHSrXZ6EilF30oh91FDP9S2B051prEa7QWfrVTQm10/dDpswBDXZugPa1Ogu8Yh+HV0Q==
fs.realpath@^1.0.0:
version "1.0.0"
@ -5176,11 +5176,11 @@ mem@^8.0.0:
mimic-fn "^3.1.0"
memfs@^3.2.0:
version "3.2.1"
resolved "https://registry.yarnpkg.com/memfs/-/memfs-3.2.1.tgz#12301801a14eb3daa9f7491aa0ff09ffec519dd0"
integrity sha512-Y5vcpQzWTime4fBTr/fEnxXUxEYUgKbDlty1WX0gaa4ae14I6KmvK1S8HtXOX0elKAE6ENZJctkGtbTFYcRIUw==
version "3.2.2"
resolved "https://registry.yarnpkg.com/memfs/-/memfs-3.2.2.tgz#5de461389d596e3f23d48bb7c2afb6161f4df40e"
integrity sha512-RE0CwmIM3CEvpcdK3rZ19BC4E6hv9kADkMN5rPduRak58cNArWLi/9jFLsa4rhsjfVxMP3v0jO7FHXq7SvFY5Q==
dependencies:
fs-monkey "1.0.1"
fs-monkey "1.0.3"
merge-descriptors@1.0.1:
version "1.0.1"
@ -5847,10 +5847,10 @@ pbkdf2@^3.0.3:
safe-buffer "^5.0.1"
sha.js "^2.4.8"
pdfkit@>=0.8.1, pdfkit@^0.11.0:
version "0.11.0"
resolved "https://registry.yarnpkg.com/pdfkit/-/pdfkit-0.11.0.tgz#9cdb2fc42bd2913587fe3ddf48cc5bbb3c36f7de"
integrity sha512-1s9gaumXkYxcVF1iRtSmLiISF2r4nHtsTgpwXiK8Swe+xwk/1pm8FJjYqN7L3x13NsWnGyUFntWcO8vfqq+wwA==
pdfkit@>=0.8.1, pdfkit@^0.12.0:
version "0.12.0"
resolved "https://registry.yarnpkg.com/pdfkit/-/pdfkit-0.12.0.tgz#0681f84d83fd08fa0a1f3237338c8b9a27bdaa4c"
integrity sha512-DnfNzX4WKfnxuk90V+focyck01QEmfSc0VBm2g9ElPKVWLcJEg66dd+t1TdaEPL3TKgDFXQOpIquEh6in6UWoA==
dependencies:
crypto-js "^3.1.9-1"
fontkit "^1.8.0"
@ -5858,13 +5858,13 @@ pdfkit@>=0.8.1, pdfkit@^0.11.0:
png-js "^1.0.0"
pdfmake@^0.1.70:
version "0.1.70"
resolved "https://registry.yarnpkg.com/pdfmake/-/pdfmake-0.1.70.tgz#b5102799deef264defa675dbb2dbf12ad49a9bae"
integrity sha512-xPhkblaQ71U97qhRTPj/1HknAHHFZ3cPRmRdrqEWD2xXBcEjEM3Yw0MIjML8DRy9Dt9n6QRjHVf662f0eLtd7Q==
version "0.1.71"
resolved "https://registry.yarnpkg.com/pdfmake/-/pdfmake-0.1.71.tgz#9cb20032cfed534f1bb5aa95026343fd7b4a5953"
integrity sha512-uXUy+NZ8R5pwJ6rYLJRu7VRw/w5ogBScNk440CHpMZ6Z0+E1uc1XvwK4I1U5ry0UZQ3qPD0dpSvbzAkRBKYoJA==
dependencies:
iconv-lite "^0.6.2"
linebreak "^1.0.2"
pdfkit "^0.11.0"
pdfkit "^0.12.0"
svg-to-pdfkit "^0.1.8"
xmldoc "^1.1.2"
@ -8017,9 +8017,9 @@ xtend@^4.0.0, xtend@^4.0.2, xtend@~4.0.1:
integrity sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==
y18n@^5.0.5:
version "5.0.5"
resolved "https://registry.yarnpkg.com/y18n/-/y18n-5.0.5.tgz#8769ec08d03b1ea2df2500acef561743bbb9ab18"
integrity sha512-hsRUr4FFrvhhRH12wOdfs38Gy7k2FFzB9qgN9v3aLykRq0dRcdcpz5C9FxdS2NuhOrI/628b/KSTJ3rwHysYSg==
version "5.0.6"
resolved "https://registry.yarnpkg.com/y18n/-/y18n-5.0.6.tgz#8236b05cfc5af6a409f41326a4847c68989bb04f"
integrity sha512-PlVX4Y0lDTN6E2V4ES2tEdyvXkeKzxa8c/vo0pxPr/TqbztddTP0yn7zZylIyiAuxerqj0Q5GhpJ1YJCP8LaZQ==
yallist@^2.1.2:
version "2.1.2"

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Изтрий сметка за приходи ":name"',
'delete_liabilities_account' => 'Изтрий задължение ":name"',
'asset_deleted' => 'Сметка за активи ":name" е успешно изтрита',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Сметка за разходи ":name" е успешно изтрита',
'revenue_deleted' => 'Сметка за приходи ":name" е успешно изтрита',
'update_asset_account' => 'Редактирай сметка за активи',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III се опита да ви пренасочи, но не успя. Съжалявам за това. Обратно към началото.',
'account_type' => 'Вид на сметка',
'save_transactions_by_moving' => 'Запазете тази транзакция, като я преместите в друг акаунт:|Запазете тези транзакции, като ги преместите в друг акаунт:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Новата сметка ":name" бе запаметена!',
'updated_account' => 'Сметка ":name" бе обновена',
'credit_card_options' => 'Настройки за кредитни карти',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Редактирай група ":title"',
'delete_object_group' => 'Изтрий група ":title"',
'update_object_group' => 'Обнови група',
'updated_object_group' => 'Успешно обновена група ":title"',
'deleted_object_group' => 'Успешно изтрита група ":title"',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Група',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Ако изтриете потребител ":email", всичко ще изчезне. Няма отмяна, възстановяване или нещо друго. Ако изтриете себе си, ще загубите достъп до този екземпляр на Firefly III.',
'attachment_areYouSure' => 'Наистина ли искате да изтриете прикачения файл ":name"?',
'account_areYouSure' => 'Наистина ли искате да изтриете сметка ":name"?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => 'Наистина ли искате да изтриете сметка ":name"?',
'rule_areYouSure' => 'Наистина ли искате да изтриете правило ":title"?',
'object_group_areYouSure' => 'Наистина ли искате да изтриете групата ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Изтрии избраните необратимо',
'update_all_journals' => 'Обнови тези транзакции',
'also_delete_transactions' => 'Ще бъде изтрита и единствената транзакция, свързана с тази сметка.|Всички :count транзакции, свързани с тази сметка, също ще бъдат изтрити.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'Единствената транзакция, свързана с този тип връзки, ще загуби тази връзка.|Всички :count транзакции, свързани с този тип връзки, ще загубят връзката си.',
'also_delete_rules' => 'Ще бъде изтрито и единственото правило, свързана с тази група правила.|Всички :count правила, свързани с тази група правила, също ще бъдат изтрити.',
'also_delete_piggyBanks' => 'Ще бъде изтрита и единствената касичнка, свързана с тази сметка.|Всички :count касички, свързани с тази сметка, също ще бъдат изтрити.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'Касичката свързана с тази група няма да бъде изтрита.|Всички :count касички свързани с тази група няма да бъдат изтрити.',
'bill_keep_transactions' => 'Единствената транзакция, свързана с тази сметка няма да бъде изтрита.|Всички :count транзакции, свързани с тази сметка, няма да бъдат изтрити.',
'budget_keep_transactions' => 'Единствената транзакция, свързана с този бюджет няма да бъде изтрита.|Всички :count транзакции, свързани с този бюджет, няма да бъдат изтрити.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Delete revenue account ":name"',
'delete_liabilities_account' => 'Smazat závazek „:name“',
'asset_deleted' => 'Successfully deleted asset account ":name"',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Successfully deleted expense account ":name"',
'revenue_deleted' => 'Successfully deleted revenue account ":name"',
'update_asset_account' => 'Aktualizovat výdajový účet',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III tried to redirect you but couldn\'t. Sorry about that. Back to the index.',
'account_type' => 'Typ účtu',
'save_transactions_by_moving' => 'Save this transaction by moving it to another account:|Save these transactions by moving them to another account:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Nový účet „:name“ uložen!',
'updated_account' => 'Aktualizován účet „:name“',
'credit_card_options' => 'Předvolby kreditní karty',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Upravit skupinu „:title“',
'delete_object_group' => 'Odstranit skupinu „:title“',
'update_object_group' => 'Aktualizovat skupinu',
'updated_object_group' => 'Skupina „:title“ byla úspěšně aktualizována',
'deleted_object_group' => 'Skupina „:title“ byla úspěšně odstraněna',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Skupina',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Pokud odstraníte uživatele „:email“, vše bude pryč. Neexistuje žádná možnost vrácení, obnovení nebo cokoli dalšího. Pokud smažete sami sebe, ztratíte přístup k této instanci Firefly III.',
'attachment_areYouSure' => 'Jste si jisti, že chcete odstranit přílohu s názvem „:name“?',
'account_areYouSure' => 'Jste si jisti, že chcete odstranit účet s názvem „:name“?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => 'Jste si jisti, že chcete odstranit účet s názvem ":name"?',
'rule_areYouSure' => 'Opravdu chcete odstranit pravidlo s názvem „:title“?',
'object_group_areYouSure' => 'Jste si jisti, že chcete odstranit skupinu s názvem „:title“?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Označené trvale smazat',
'update_all_journals' => 'Aktualizovat tyto transakce',
'also_delete_transactions' => 'Jediná transakce připojená k tomuto účtu bude také odstraněna.|Všech :count transakcí připojených k tomuto účtu bude také odstraněno.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'Jediná transakce propojená s tímto typem odkazu ztratí toto spojení.|Všech :count transakcí propojených s tímto typem odkazu ztratí své spojení.',
'also_delete_rules' => 'Jediné pravidlo připojené k této skupině pravidel bude také smazáno.|Všech :count pravidel připojených k této skupině pravidel bude také odstraněno.',
'also_delete_piggyBanks' => 'Jediná pokladnička připojená k tomuto účtu bude také odstraněna.|Všech :count pokladniček připojených k tomuto účtu bude také odstraněno.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'Pokladnička připojená k této skupině nebude smazána.|:count pokladniček připojených k této skupině nebude smazáno.',
'bill_keep_transactions' => 'Jediná transakce připojená k tomuto účtu nebude smazána.|Všech :count transakcí připojených k tomuto účtu nebude odstraněno.',
'budget_keep_transactions' => 'Jediná transakce připojená k tomuto rozpočtu nebude smazána.|Všech :count transakcí připojených k tomuto rozpočtu nebude odstraněno.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Einnahmenkonto „:name” löschen',
'delete_liabilities_account' => 'Verbindlichkeit „:name” löschen',
'asset_deleted' => 'Bestandskonto „:name” erfolgreich gelöscht',
'account_deleted' => 'Konto „:name” erfolgreich gelöscht',
'expense_deleted' => 'Ausgabenkonto „:name” erfolgreich gelöscht',
'revenue_deleted' => 'Einnahmenkonto „:name” erfolgreich gelöscht',
'update_asset_account' => 'Bestandskonto aktualisieren',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III hat vergeblich versucht, Sie umzuleiten. Zum Index zurückkehren.',
'account_type' => 'Kontotyp',
'save_transactions_by_moving' => 'Speichern Sie diese Transaktion, indem Sie sie auf ein anderes Konto verschieben:|Speichern Sie diese Transaktionen, indem Sie sie auf ein anderes Konto verschieben:',
'save_transactions_by_moving_js' => 'Keine Buchungen|Speichern Sie diese Buchung, indem Sie sie auf ein anderes Konto verschieben. |Speichern Sie diese Buchungen, indem Sie sie auf ein anderes Konto verschieben.',
'stored_new_account' => 'Neues Konto „:name” gespeichert!',
'updated_account' => 'Konto „:name” aktualisiert',
'credit_card_options' => 'Kreditkartenoptionen',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Wenn Sie den Benutzer ":email" löschen, ist alles weg. Es gibt keine Sicherung, Wiederherstellung oder ähnliches. Wenn Sie sich selbst löschen, verlieren Sie den Zugriff auf diese Instanz von Firefly III.',
'attachment_areYouSure' => 'Möchten Sie den Anhang „:name” wirklich löschen?',
'account_areYouSure' => 'Möchten Sie das Konto „:name” wirklich löschen?',
'account_areYouSure_js' => 'Möchten Sie das Konto „{name}” wirklich löschen?',
'bill_areYouSure' => 'Möchten Sie die Rechnung „:name” wirklich löschen?',
'rule_areYouSure' => 'Sind Sie sicher, dass Sie die Regel mit dem Titel ":title" löschen möchten?',
'object_group_areYouSure' => 'Möchten Sie die Gruppe „:title” wirklich löschen?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Ausgewähltes dauerhaft löschen',
'update_all_journals' => 'Diese Transaktionen aktualisieren',
'also_delete_transactions' => 'Die einzige Überweisung, die mit diesem Konto verknüpft ist, wird ebenfalls gelöscht. | Alle :count Überweisungen, die mit diesem Konto verknüpft sind, werden ebenfalls gelöscht.',
'also_delete_transactions_js' => 'Keine Buchungen|Die einzige Buchung, die mit diesem Konto verbunden ist, wird ebenfalls gelöscht.|Alle {count} Buchungen, die mit diesem Konto verbunden sind, werden ebenfalls gelöscht.',
'also_delete_connections' => 'Die einzige Transaktion, die mit diesem Verknüpfungstyp verknüpft ist, verliert diese Verbindung. • Alle :count Buchungen, die mit diesem Verknüpfungstyp verknüpft sind, verlieren ihre Verbindung.',
'also_delete_rules' => 'Die einzige Regel, die mit diesem Konto verknüpft ist, wird ebenfalls gelöscht. | Alle :count Regeln, die mit diesem Konto verknüpft sind, werden ebenfalls gelöscht.',
'also_delete_piggyBanks' => 'Das einzige Sparschwein, das mit diesem Konto verknüpft ist, wird ebenfalls gelöscht. | Alle :count Sparschweine, die mit diesem Konto verknüpft sind, werden ebenfalls gelöscht.',
'also_delete_piggyBanks_js' => 'Keine Sparschweine|Das einzige Sparschwein, welches mit diesem Konto verbunden ist, wird ebenfalls gelöscht.|Alle {count} Sparschweine, welche mit diesem Konto verbunden sind, werden ebenfalls gelöscht.',
'not_delete_piggy_banks' => 'Die mit dieser Gruppe verbundene Spardose wird nicht gelöscht.| Die mit dieser Gruppe verbundenen :count Spardosen werden nicht gelöscht.',
'bill_keep_transactions' => 'Die einzige mit dieser Rechnung verbundene Buchung wird nicht gelöscht. | Keine der :count Buchungen, die mit dieser Rechnung verbunden sind, wird gelöscht.',
'budget_keep_transactions' => 'Die einzige diesem Budget zugeordnete Buchung wird nicht gelöscht. | Keine der :count Buchungen, die diesem Budget zugeordnet sind, wird gelöscht.',

View File

@ -134,8 +134,8 @@ return [
'starts_with' => 'Der Wert muss mit :values beginnen.',
'unique_webhook' => 'Sie haben bereits einen Webhook mit diesen Werten.',
'unique_existing_webhook' => 'Sie haben bereits einen anderen Webhook mit diesen Werten.',
'same_account_type' => 'Both accounts must be of the same account type',
'same_account_currency' => 'Both accounts must have the same currency setting',
'same_account_type' => 'Beide Konten müssen vom selben Kontotyp sein',
'same_account_currency' => 'Beiden Konten muss die gleiche Währung zugeordnet sein',
'secure_password' => 'Dies ist ein unsicheres Passwort. Bitte versuchen Sie es erneut. Weitere Informationen finden Sie unter https://github.com/firefly-iii/help/wiki/Secure-password',
'valid_recurrence_rep_type' => 'Ungültige Wiederholungsart für Daueraufträge.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Διαγραφή λογαριασμού εσόδων ":name"',
'delete_liabilities_account' => 'Διαγραφή υποχρέωσης ":name"',
'asset_deleted' => 'Επιτυχής διαγραφή του κεφαλαιακού λογαριασμού ":name"',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Επιτυχής διαγραφή του λογαριασμού δαπανών ":name"',
'revenue_deleted' => 'Επιτυχής διαγραφή του λογαριασμού εσόδων ":name"',
'update_asset_account' => 'Ενημέρωση λογαριασμού κεφαλαίου',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Το Firefly III προσπάθησε να σας ανακατευθύνει αλλά δεν κατάφερε. Συγνώμη για αυτό. Πίσω στην αρχική.',
'account_type' => 'Τύπος λογαριασμού',
'save_transactions_by_moving' => 'Αποθηκεύστε αυτή τη συναλλαγή μετακινώντας την σε ένα άλλο λογαριασμό:|Αποθηκεύστε αυτές τις συναλλαγές μετακινώντας τις σε ένα άλλο λογαριασμό:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Ο νέος λογαριασμός ":name" αποθηκεύτηκε!',
'updated_account' => 'Ενημερώθηκε ο λογαριασμός ":name"',
'credit_card_options' => 'Επιλογές πιστωτικής κάρτας',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Επεξεργασία ομάδας ":title"',
'delete_object_group' => 'Διαγραφή ομάδας ":title"',
'update_object_group' => 'Ενημέρωση ομάδας',
'updated_object_group' => 'Επιτυχής ενημέρωση της ομάδας ":title"',
'deleted_object_group' => 'Επιτυχής διαγραφή της ομάδας ":title"',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Ομάδα',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Εάν διαγράψετε το χρήστη ":email", θα χαθούν όλα. Δεν υπάρχει αναίρεση, επαναφορά ή κάτι άλλο. Εάν διαγράψετε τον εαυτό σας, θα χάσετε την πρόσβαση στο Firefly III.',
'attachment_areYouSure' => 'Είστε σίγουροι ότι θέλετε να διαγράψετε το συνημμένο με όνομα ":name";',
'account_areYouSure' => 'Είστε σίγουροι ότι θέλετε να διαγράψετε το λογαριασμό με όνομα ":name";',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => 'Είστε σίγουροι ότι θέλετε να διαγράψετε το πάγιο έξοδο με όνομα ":name";',
'rule_areYouSure' => 'Είστε σίγουροι ότι θέλετε να διαγράψετε τον κανόνα με τίτλο ":title";',
'object_group_areYouSure' => 'Είστε σίγουροι ότι θέλετε να διαγράψετε την ομάδα με τίτλο ":title";',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Μόνιμη διαγραφή επιλεγμένων',
'update_all_journals' => 'Ανανέωση αυτών των συναλλαγών',
'also_delete_transactions' => 'Η μόνη συναλλαγή που συνδέεται με αυτό το λογαριασμό θα διαγραφεί επίσης.| Και οι :count συναλλαγές που συνδέονται με αυτό το λογαριασμό θα διαγραφούν επίσης.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'Η μόνη συνδεδεμένη συναλλαγή με αυτό τον τύπο σύνδεσης θα αποσυνδεθεί.|Όλες οι :count συνδεδεμένες συναλλαγές με αυτό τον τύπο σύνδεσης θα αποσυνδεθούν.',
'also_delete_rules' => 'Η μόνη συναλλαγή που συνδέεται με αυτό το λογαριασμό θα διαγραφεί επίσης.| Όλες οι :count συναλλαγές που συνδέονται με αυτό το λογαριασμό θα διαγραφούν επίσης.',
'also_delete_piggyBanks' => 'Ο μόνος συνδεδεμένος κουμπαράς σε αυτό τον λογαριασμό θα διαγραφή επίσης.|Όλες οι :count συνδεδεμένοι κουμπαράδες με αυτό τον λογαριασμό θα διαγραφούν επίσης.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'Ο κουμπαράς που είναι συνδεδεμένος σε αυτή την ομάδα δε θα διαγραφεί.| Οι :count κουμπαράδες που είναι συνδεδεμένοι σε αυτή την ομάδα δε θα διαγραφούν.',
'bill_keep_transactions' => 'Η μόνη συνδεδεμένη συναλλαγή με αυτό το λογαριασμό δε θα διαγραφεί.|\'Ολες οι :count συνδεδεμένες συναλλαγές με αυτό τον λογαριασμό θα γλυτώσουν από τη διαγραφή.',
'budget_keep_transactions' => 'Η μόνη συνδεδεμένη συναλλαγή με αυτό τον προϋπολογισμό δε θα διαγραφεί.|Όλες οι :count συνδεδεμένες συναλλαγές με αυτό τον προϋπολογισμό θα γλυτώσουν από τη διαγραφή.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Delete revenue account ":name"',
'delete_liabilities_account' => 'Delete liability ":name"',
'asset_deleted' => 'Successfully deleted asset account ":name"',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Successfully deleted expense account ":name"',
'revenue_deleted' => 'Successfully deleted revenue account ":name"',
'update_asset_account' => 'Update asset account',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III tried to redirect you but couldn\'t. Sorry about that. Back to the index.',
'account_type' => 'Account type',
'save_transactions_by_moving' => 'Save this transaction by moving it to another account:|Save these transactions by moving them to another account:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'New account ":name" stored!',
'updated_account' => 'Updated account ":name"',
'credit_card_options' => 'Credit card options',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Edit group ":title"',
'delete_object_group' => 'Delete group ":title"',
'update_object_group' => 'Update group',
'updated_object_group' => 'Succesfully updated group ":title"',
'deleted_object_group' => 'Succesfully deleted group ":title"',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Group',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'If you delete user ":email", everything will be gone. There is no undo, undelete or anything. If you delete yourself, you will lose access to this instance of Firefly III.',
'attachment_areYouSure' => 'Are you sure you want to delete the attachment named ":name"?',
'account_areYouSure' => 'Are you sure you want to delete the account named ":name"?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => 'Are you sure you want to delete the bill named ":name"?',
'rule_areYouSure' => 'Are you sure you want to delete the rule titled ":title"?',
'object_group_areYouSure' => 'Are you sure you want to delete the group titled ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Delete selected permanently',
'update_all_journals' => 'Update these transactions',
'also_delete_transactions' => 'The only transaction connected to this account will be deleted as well.|All :count transactions connected to this account will be deleted as well.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'The only transaction linked with this link type will lose this connection.|All :count transactions linked with this link type will lose their connection.',
'also_delete_rules' => 'The only rule connected to this rule group will be deleted as well.|All :count rules connected to this rule group will be deleted as well.',
'also_delete_piggyBanks' => 'The only piggy bank connected to this account will be deleted as well.|All :count piggy bank connected to this account will be deleted as well.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'The piggy bank connected to this group will not be deleted.|The :count piggy banks connected to this group will not be deleted.',
'bill_keep_transactions' => 'The only transaction connected to this bill will not be deleted.|All :count transactions connected to this bill will be spared deletion.',
'budget_keep_transactions' => 'The only transaction connected to this budget will not be deleted.|All :count transactions connected to this budget will be spared deletion.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Delete revenue account ":name"',
'delete_liabilities_account' => 'Delete liability ":name"',
'asset_deleted' => 'Successfully deleted asset account ":name"',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Successfully deleted expense account ":name"',
'revenue_deleted' => 'Successfully deleted revenue account ":name"',
'update_asset_account' => 'Update asset account',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III tried to redirect you but couldn\'t. Sorry about that. Back to the index.',
'account_type' => 'Account type',
'save_transactions_by_moving' => 'Save this transaction by moving it to another account:|Save these transactions by moving them to another account:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'New account ":name" stored!',
'updated_account' => 'Updated account ":name"',
'credit_card_options' => 'Credit card options',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Edit group ":title"',
'delete_object_group' => 'Delete group ":title"',
'update_object_group' => 'Update group',
'updated_object_group' => 'Succesfully updated group ":title"',
'deleted_object_group' => 'Succesfully deleted group ":title"',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Group',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'If you delete user ":email", everything will be gone. There is no undo, undelete or anything. If you delete yourself, you will lose access to this instance of Firefly III.',
'attachment_areYouSure' => 'Are you sure you want to delete the attachment named ":name"?',
'account_areYouSure' => 'Are you sure you want to delete the account named ":name"?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => 'Are you sure you want to delete the bill named ":name"?',
'rule_areYouSure' => 'Are you sure you want to delete the rule titled ":title"?',
'object_group_areYouSure' => 'Are you sure you want to delete the group titled ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Delete selected permanently',
'update_all_journals' => 'Update these transactions',
'also_delete_transactions' => 'The only transaction connected to this account will be deleted as well.|All :count transactions connected to this account will be deleted as well.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'The only transaction linked with this link type will lose this connection.|All :count transactions linked with this link type will lose their connection.',
'also_delete_rules' => 'The only rule connected to this rule group will be deleted as well.|All :count rules connected to this rule group will be deleted as well.',
'also_delete_piggyBanks' => 'The only piggy bank connected to this account will be deleted as well.|All :count piggy bank connected to this account will be deleted as well.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'The piggy bank connected to this group will not be deleted.|The :count piggy banks connected to this group will not be deleted.',
'bill_keep_transactions' => 'The only transaction connected to this bill will not be deleted.|All :count transactions connected to this bill will be spared deletion.',
'budget_keep_transactions' => 'The only transaction connected to this budget will not be deleted.|All :count transactions connected to this budget will be spared deletion.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Eliminar cuenta de ganancias ":name"',
'delete_liabilities_account' => 'Eliminar pasivo ":name"',
'asset_deleted' => 'Se ha eliminado exitosamente la cuenta de activos ":name"',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Exitosamente eliminado la cuenta de gastos ":name"',
'revenue_deleted' => 'Exitosamente eliminado cuenta de ganacias ":name"',
'update_asset_account' => 'Actualizar cuenta de activos',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III le intentó redirigir pero no pudo. Lo sentimos. Volver al índice.',
'account_type' => 'Tipo de cuenta',
'save_transactions_by_moving' => 'Guardar esta transacción moviéndola a otra cuenta:|Guardar estas transacciones moviéndolas a otra cuenta:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Nueva cuenta ":name" almacenada!',
'updated_account' => 'Cuenta actualizada ":name"',
'credit_card_options' => 'Opciones de tarjeta de crédito',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Editar grupo ":title"',
'delete_object_group' => 'Eliminar grupo ":title"',
'update_object_group' => 'Actualizar grupo',
'updated_object_group' => 'Grupo ":title" actualizado con éxito',
'deleted_object_group' => 'Grupo ":title" borrado con éxito',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Grupo',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Si elimina usuario ":email", todo desaparecerá. No hay deshacer, recuperar ni nada. Si te eliminas, perderás el acceso a esta instancia de Firefly III.',
'attachment_areYouSure' => '¿Seguro que quieres eliminar el archivo adjunto llamado "name"?',
'account_areYouSure' => '¿Seguro que quieres eliminar la cuenta llamada ":name"?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => '¿Seguro que quieres eliminar la factura llamada ":name"?',
'rule_areYouSure' => '¿Seguro que quieres eliminar la regla titulada ":title"?',
'object_group_areYouSure' => '¿Seguro que quieres eliminar el grupo titulado ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Eliminar selección permanentemente',
'update_all_journals' => 'Actualiza estas transacciones',
'also_delete_transactions' => 'La única transacción conectada a esta cuenta también se eliminará. | Todas las :count transacciones conectadas a esta cuenta también se eliminarán.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'La única transacción vinculada con este tipo de enlace perderá esta conexión. | Todas las :count transacciones vinculadas con este tipo de enlace perderán su conexión.',
'also_delete_rules' => 'La única regla conectada a este grupo de reglas también se eliminará. | Todas las :count reglas conectadas a este grupo de reglas también se eliminarán.',
'also_delete_piggyBanks' => 'La hucha conectada a esta cuenta también se eliminará.|Las :count huchas conectadas a esta cuenta también se eliminarán.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'La alcancía conectada a este grupo no será eliminada.|Las :count alcancías conectados a este grupo no serán eliminados.',
'bill_keep_transactions' => 'La transacción conectada a esta factura no será eliminada.|Las :count transacciones conectadas a esta factura serán eliminadas.',
'budget_keep_transactions' => 'La transacción conectada a este presupuesto no se eliminará.|Las :count transacciones conectadas a este presupuesto no serán eliminadas.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Poista tuottotili ":name"',
'delete_liabilities_account' => 'Poista vastuu ":name"',
'asset_deleted' => 'Poistettiin onnistuneesti omaisuustili ":name"',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Poistettiin onnistuneesti kulutustili ":name"',
'revenue_deleted' => 'Poistettiin onnistuneesti tuottotili ":name"',
'update_asset_account' => 'Päivitä omaisuustili',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III yritti tehdä pyytämääsi uudelleenohjausta mutta epäonnistui. Pahoittelut siitä. Takaisin valikkoon.',
'account_type' => 'Tilin tyyppi',
'save_transactions_by_moving' => 'Save this transaction by moving it to another account:|Save these transactions by moving them to another account:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Uusi tili ":name" tallennettiin!',
'updated_account' => 'Tiliä ":name" päivitettiin',
'credit_card_options' => 'Luottokorttivalinnat',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Muokkaa ryhmää ":title"',
'delete_object_group' => 'Delete group ":title"',
'update_object_group' => 'Päivitä ryhmä',
'updated_object_group' => 'Ryhmän ":title" päivitys onnistui',
'deleted_object_group' => 'Ryhmän ":title" poistaminen onnistui',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Ryhmä',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Jos poistat käyttäjätilin ":email", kaikki tiedot menetetään. Tätä ei voi peruuttaa, korjata tai mitään. Jos poistat itsesi, et pääse edes kirjautumaan tähän Firefly III instanssiin.',
'attachment_areYouSure' => 'Haluatko varmasti poistaa liitteen ":name"?',
'account_areYouSure' => 'Haluatko varmasti poistaa tilin ":name"?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => 'Haluatko varmasti poistaa laskun ":name"?',
'rule_areYouSure' => 'Haluatko varmasti poistaa säännön ":title"?',
'object_group_areYouSure' => 'Haluatko varmasti poistaa ryhmän ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Poista valitut lopullisesti',
'update_all_journals' => 'Päivitä nämä tapahtumat',
'also_delete_transactions' => 'Ainoa tähän tiliin yhdistetty tapahtuma poistetaan samalla.|Kaikki tähän tiliin yhdistetyt :count tapahtumaa poistetaan samalla.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'Ainoa tähän linkkityyppiin liitetty tapahtuma menettää tämän yhteyden.|Kaikki :count tähän linkkityyppiin yhdistettyä tapahtumaa menettävät yhteytensä.',
'also_delete_rules' => 'Ainoa tähän sääntöryhmään yhdistetty sääntö poistetaan samalla.|Kaikki :count tähän sääntöryhmään linkitettyä sääntöä poistetaan samalla.',
'also_delete_piggyBanks' => 'Ainoa tähän tähän tiliin linkitetty säästöporsas poistetaan samalla.|Kaikki :count tähän tiliin yhdistettyä säästöpossua poistetaan samalla.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'Tämän ryhmän säästöpossua ei poisteta.|Tämän ryhmän säästöpossuja (:count) ei poisteta.',
'bill_keep_transactions' => 'Ainoaa tähän laskuun linkitettyä tapahtumaa ei poisteta.|Kaikki :count tähän laskuun yhdistetyt tapahtumat säästetään.',
'budget_keep_transactions' => 'Ainoaa tähän budjettiin linkitettyä tapahtumaa ei poisteta.|Kaikki :count tähän budjettiin yhdistetyt tapahtumat säästetään.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Supprimer le compte de recettes ":name"',
'delete_liabilities_account' => 'Supprimer le passif ":name"',
'asset_deleted' => 'Compte dactif ":name" correctement supprimé',
'account_deleted' => 'Compte ":name" supprimé avec succès',
'expense_deleted' => 'Compte de dépenses ":name" correctement supprimé',
'revenue_deleted' => 'Compte de recettes ":name" correctement supprimé',
'update_asset_account' => 'Mettre à jour le compte dactif',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III a essayé de vous rediriger mais n\'a pas pu. Désolé. Retour à l\'index.',
'account_type' => 'Type de compte',
'save_transactions_by_moving' => 'Conserver cette opération en la déplaçant vers un autre compte :|Conserver ces opération sen les déplaçant vers un autre compte :',
'save_transactions_by_moving_js' => 'Aucune opération|Conserver cette opération en la déplaçant vers un autre compte. |Conserver ces opérations en les déplaçant vers un autre compte.',
'stored_new_account' => 'Nouveau compte ":name" créé !',
'updated_account' => 'Compte ":name" mis à jour',
'credit_card_options' => 'Cartes de crédit',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Si vous supprimez l\'utilisateur ":email", tout sera perdu. Il n\'y a pas d\'annulation, de restauration ou quoi que ce soit de la sorte. Si vous supprimez votre propre compte, vous n\'aurez plus accès à cette instance de Firefly III.',
'attachment_areYouSure' => 'Êtes-vous sûr de vouloir supprimer la pièce jointe nommée ":name" ?',
'account_areYouSure' => 'Êtes-vous sûr de vouloir supprimer le compte nommé ":name" ?',
'account_areYouSure_js' => 'Êtes-vous sûr de vouloir supprimer le compte nommé "{name}" ?',
'bill_areYouSure' => 'Êtes-vous sûr de vouloir supprimer la facture nommée ":name" ?',
'rule_areYouSure' => 'Êtes-vous sûr de vouloir supprimer la règle intitulée ":title" ?',
'object_group_areYouSure' => 'Êtes-vous sûr de vouloir supprimer le groupe intitulé ":title" ?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Supprimer la sélection définitivement',
'update_all_journals' => 'Mettre à jour ces opérations',
'also_delete_transactions' => 'La seule opération liée à ce compte sera aussi supprimée.|Les :count opérations liées à ce compte seront aussi supprimées.',
'also_delete_transactions_js' => 'Aucune opération|La seule opération liée à ce compte sera aussi supprimée.|Les {count} opérations liées à ce compte seront aussi supprimées.',
'also_delete_connections' => 'La seule opération liée à ce type de lien perdra cette connexion. | Toutes les opérations :count liées à ce type de lien perdront leur connexion.',
'also_delete_rules' => 'La seule règle liée à ce groupe de règles sera aussi supprimée.|Les :count règles liées à ce groupe de règles seront aussi supprimées.',
'also_delete_piggyBanks' => 'La seule tirelire liée à ce compte sera aussi supprimée.|Les :count tirelires liées à ce compte seront aussi supprimées.',
'also_delete_piggyBanks_js' => 'Aucune tirelire|La seule tirelire liée à ce compte sera aussi supprimée.|Les {count} tirelires liées à ce compte seront aussi supprimées.',
'not_delete_piggy_banks' => 'La tirelire associée à ce groupe ne sera pas supprimée.|Les :count tirelires associées à ce groupe ne seront pas supprimées.',
'bill_keep_transactions' => 'La seule opération liée à cette facture ne sera pas supprimée.|Les :count opérations liées à cette facture ne seront pas supprimées.',
'budget_keep_transactions' => 'La seule opération liée à ce budget ne sera pas supprimée.|Les :count opérations liées à ce budget ne seront pas supprimées.',

View File

@ -134,8 +134,8 @@ return [
'starts_with' => 'La valeur doit commencer par :values.',
'unique_webhook' => 'Vous avez déjà un webhook avec ces valeurs.',
'unique_existing_webhook' => 'Vous avez déjà un autre webhook avec ces valeurs.',
'same_account_type' => 'Both accounts must be of the same account type',
'same_account_currency' => 'Both accounts must have the same currency setting',
'same_account_type' => 'Les deux comptes doivent être du même type',
'same_account_currency' => 'Les deux comptes doivent avoir la même devise',
'secure_password' => 'Ce n\'est pas un mot de passe sécurisé. Veuillez essayez à nouveau. Pour plus d\'informations, visitez https://bit.ly/FF3-password-security',
'valid_recurrence_rep_type' => 'Type de répétition non valide pour des opérations périodiques.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => '":name" jövedelemszámla törlése',
'delete_liabilities_account' => '":name" kötelezettség törlése',
'asset_deleted' => '":name" eszközszámla sikeresen törölve',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => '":name" költségszámla sikeresen törölve',
'revenue_deleted' => '":name" jövedelemszámla sikeresen törölve',
'update_asset_account' => 'Eszközszámla frissítése',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'A Firefly III megpróbálkozott az átirányítással de az nem sikerült. Elnézést kérünk. Vissza a kezdőlapra.',
'account_type' => 'Bankszámla típusa',
'save_transactions_by_moving' => 'Save this transaction by moving it to another account:|Save these transactions by moving them to another account:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => '":name" új számla letárolva!',
'updated_account' => '":name" számla frissítve',
'credit_card_options' => 'Hitelkártya opciók',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => '":title" csoport szerkesztése',
'delete_object_group' => '":title" csoport törlése',
'update_object_group' => 'Csoport frissítése',
'updated_object_group' => '":title" csoport sikeresen frissítve',
'deleted_object_group' => '":title" csoport sikeresen törölve',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Csoport',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => '":email" felhasználó törlésével minden el fog veszni. Nincs visszavonás, helyreállítás vagy ezekhez hasonló. A saját felhasználó törlésével elveszik a hozzáférés a Firefly III ezen példányához.',
'attachment_areYouSure' => '":name" melléklet biztosan törölhető?',
'account_areYouSure' => '":name" bankszámla biztosan törölhető?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => '":name" számla biztosan törölhető?',
'rule_areYouSure' => '":title" szabály biztosan törölhető?',
'object_group_areYouSure' => 'Biztosan törölni szeretné a ":title" csoportot?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Kijelöltek végleges törlése',
'update_all_journals' => 'A tranzakciók frissítése',
'also_delete_transactions' => 'A bankszámlához tartozó egyetlen tranzakció is törölve lesz. | Az ehhez a bankszámlához tartozó :count tranzakció is törölve lesz.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'A csak ezzel a kapcsolattípussal rendelkező tranzakciók elveszítik az összerendelésüket. | Mind a :count tranzakció, amely ezzel a hivatkozástípussal kapcsolódik elveszíti az összrendelését.',
'also_delete_rules' => 'A szabálycsoporthoz tartozó egyetlen szabály is törölve lesz. | Az ezen szabálycsoporthoz tartozó :count szabály is törölve lesz.',
'also_delete_piggyBanks' => 'A bankszámlához tartozó egyetlen malacpersely is törölve lesz. | Az ehhez a bankszámlához tartozó :count malacpersely is törölve lesz.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'A csoporthoz tartozó malacpersely nem lesz törölve. | Az ehhez a csoporthoz tartozó :count malacpersely nem lesz törölve.',
'bill_keep_transactions' => 'A számlához tartozó egyetlen tranzakció nem lesz törölve.|Az ehhez a számlához tartozó :count tranzakció nem lesz törölve.',
'budget_keep_transactions' => 'A költségkerethez tartozó egyetlen tranzakció nem lesz törölve.|Az ehhez a költségkerethez tartozó :count tranzakció nem lesz törölve.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Hapus akun pendapatan ":name"',
'delete_liabilities_account' => 'Delete liability ":name"',
'asset_deleted' => 'Berhasil menghapus akun aset ":name"',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Akun pengeluaran yang berhasil dihapus ":name"',
'revenue_deleted' => 'Berhasil menghapus akun pendapatan ":name"',
'update_asset_account' => 'Perbarui akun aset',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III tried to redirect you but couldn\'t. Sorry about that. Back to the index.',
'account_type' => 'Jenis akun',
'save_transactions_by_moving' => 'Save this transaction by moving it to another account:|Save these transactions by moving them to another account:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Akun baru ":name" disimpan!',
'updated_account' => 'Memperbarui akun ":name"',
'credit_card_options' => 'Pilihan kartu kredit',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Edit group ":title"',
'delete_object_group' => 'Delete group ":title"',
'update_object_group' => 'Update group',
'updated_object_group' => 'Succesfully updated group ":title"',
'deleted_object_group' => 'Succesfully deleted group ":title"',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Group',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Jika Anda menghapus pengguna ":email", semuanya akan hilang. Tidak ada undo, undelete atau apapun. Jika Anda menghapus diri Anda sendiri, Anda akan kehilangan akses ke Firefly III ini.',
'attachment_areYouSure' => 'Yakin ingin menghapus lampiran yang bernama ":name"?',
'account_areYouSure' => 'Yakin ingin menghapus akun dengan nama ":name"?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => 'Yakin ingin menghapus tagihan yang bernama ":name"?',
'rule_areYouSure' => 'Yakin ingin menghapus aturan yang berjudul ":title"?',
'object_group_areYouSure' => 'Are you sure you want to delete the group titled ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Hapus yang dipilih secara permanen',
'update_all_journals' => 'Perbarui transaksi ini',
'also_delete_transactions' => 'Satu-satunya transaksi yang terhubung ke akun ini akan dihapus juga. | Semua :count transaksi yang terhubung ke akun ini akan dihapus juga.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'Satu-satunya transaksi yang terkait dengan jenis link ini akan kehilangan koneksi ini. Semua :count transaksi yang terkait dengan jenis link ini akan kehilangan koneksi mereka.',
'also_delete_rules' => 'Aturan satu-satunya yang terhubung ke grup aturan ini akan dihapus juga. Aturan All :count yang terhubung ke grup aturan ini akan dihapus juga.',
'also_delete_piggyBanks' => 'Satu-satunya piggy bank yang terhubung ke akun ini akan dihapus juga. Semua :count piggy bank yang terhubung ke akun ini akan dihapus juga.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'The piggy bank connected to this group will not be deleted.|The :count piggy banks connected to this group will not be deleted.',
'bill_keep_transactions' => 'The only transaction connected to this bill will not be deleted.|All :count transactions connected to this bill will be spared deletion.',
'budget_keep_transactions' => 'The only transaction connected to this budget will not be deleted.|All :count transactions connected to this budget will be spared deletion.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Elimina conto entrate ":name"',
'delete_liabilities_account' => 'Elimina passività ":name"',
'asset_deleted' => 'Conto attività ":name" eliminato correttamente',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Conto uscite ":name" eliminato correttamente',
'revenue_deleted' => 'Conto entrate ":name" eliminato correttamente',
'update_asset_account' => 'Aggiorna conto attività',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III ha provato a reindirizzare ma non è riuscito. Ci dispiace. Torna all\'indice.',
'account_type' => 'Tipo conto',
'save_transactions_by_moving' => 'Salva questa transazione spostandola in un altro conto:|Salva queste transazioni spostandole in un altro conto:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Nuovo conto ":name" stored!',
'updated_account' => 'Aggiorna conto ":name"',
'credit_card_options' => 'Opzioni carta di credito',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Modifica gruppo ":title"',
'delete_object_group' => 'Elimina gruppo ":title"',
'update_object_group' => 'Aggiorna gruppo',
'updated_object_group' => 'Gruppo ":title" aggiornato con successo',
'deleted_object_group' => 'Gruppo ":title" eliminato con successo',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Gruppo',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Se cancelli l\'utente ":email", verrà eliminato tutto. Non sarà più possibile recuperare i dati eliminati. Se cancelli te stesso, perderai l\'accesso a questa istanza di Firefly III.',
'attachment_areYouSure' => 'Sei sicuro di voler eliminare l\'allegato ":name"?',
'account_areYouSure' => 'Sei sicuro di voler eliminare il conto ":name"?',
'account_areYouSure_js' => 'Sei sicuro di voler eliminare il conto "{name}"?',
'bill_areYouSure' => 'Sei sicuro di voler eliminare il conto ":name"?',
'rule_areYouSure' => 'Sei sicuro di voler eliminare la regola ":title"?',
'object_group_areYouSure' => 'Sei sicuro di voler eliminare il gruppo ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Elimina selezionati definitamente',
'update_all_journals' => 'Aggiorna queste transazioni',
'also_delete_transactions' => 'Anche l\'unica transazione collegata a questo conto verrà eliminata.|Anche tutte le :count transazioni collegate a questo conto verranno eliminate.',
'also_delete_transactions_js' => 'Nessuna transazioni|Anche l\'unica transazione collegata al conto verrà eliminata.|Anche tutte le {count} transazioni collegati a questo conto verranno eliminate.',
'also_delete_connections' => 'L\'unica transazione collegata a questo tipo di collegamento perderà questa connessione. | Tutto :count le transazioni di conteggio collegate a questo tipo di collegamento perderanno la connessione.',
'also_delete_rules' => 'Anche l\'unica regola collegata a questo gruppo di regole verrà eliminata. | Tutto :count verranno eliminate anche le regole di conteggio collegate a questo gruppo di regole.',
'also_delete_piggyBanks' => 'Verrà eliminato anche l\'unico salvadanaio collegato a questo conto. | Tutti :count il conteggio del salvadanaio collegato a questo conto verrà eliminato.',
'also_delete_piggyBanks_js' => 'Nessun salvadanaio|Anche l\'unico salvadanaio collegato a questo conto verrà eliminato.|Anche tutti i {count} salvadanai collegati a questo conto verranno eliminati.',
'not_delete_piggy_banks' => 'Il salvadanaio collegato a questo gruppo non verrà eliminato.|I :count salvadanai collegati a questo gruppo non verranno eliminati.',
'bill_keep_transactions' => 'L\'unica transazione connessa a questa bolletta non verrà eliminata.|Tutte le :count transazioni del conto collegate a questa bolletta non verranno cancellate.',
'budget_keep_transactions' => 'L\'unica transazione collegata a questo budget non verrà eliminata.|Tutte le :count transazioni del conto collegate a questo budget non verranno cancellate.',

View File

@ -134,8 +134,8 @@ return [
'starts_with' => 'Il valore deve iniziare con :values.',
'unique_webhook' => 'Hai già un webhook con questi valori.',
'unique_existing_webhook' => 'Hai già un altro webhook con questi valori.',
'same_account_type' => 'Both accounts must be of the same account type',
'same_account_currency' => 'Both accounts must have the same currency setting',
'same_account_type' => 'Entrambi i conti devono essere dello stesso tipo',
'same_account_currency' => 'Entrambi i conti devono essere impostati sulla stessa valuta',
'secure_password' => 'Questa non è una password sicura. Riprova. Per maggiori informazioni visita https://bit.ly/FF3-password-security',
'valid_recurrence_rep_type' => 'Il tipo di ripetizione della transazione ricorrente non è valido.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Slett inntektskonto ":name"',
'delete_liabilities_account' => 'Slett gjeld ":name"',
'asset_deleted' => 'Sletting av brukskonto ":name" var vellykket',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Sletting av utgiftskonto ":name" var vellykket',
'revenue_deleted' => 'Sletting av inntekskonto ":name" var vellykket',
'update_asset_account' => 'Oppdater aktivakonto',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III tried to redirect you but couldn\'t. Sorry about that. Back to the index.',
'account_type' => 'Kontotype',
'save_transactions_by_moving' => 'Save this transaction by moving it to another account:|Save these transactions by moving them to another account:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Ny konto:name: lagret!',
'updated_account' => 'Oppdatert konto ":name"',
'credit_card_options' => 'Kredittkortvalg',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Edit group ":title"',
'delete_object_group' => 'Delete group ":title"',
'update_object_group' => 'Update group',
'updated_object_group' => 'Succesfully updated group ":title"',
'deleted_object_group' => 'Succesfully deleted group ":title"',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Group',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Hvis du sletter brukeren ":email", vil alt bli borte. Det er ikke mulig å angre eller gjenopprette brukeren. Hvis du sletter din egen bruker, vil du miste tilgangen til Firefly III.',
'attachment_areYouSure' => 'Er du sikker på at du vil slette vedlegget ved navn ":name"?',
'account_areYouSure' => 'Er du sikker på at du vil slette brukeren ved navn ":name"?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => 'Er du sikker på at du vil slette regningen ved navn ":name"?',
'rule_areYouSure' => 'Er du sikker på at du vil slette regelen ved navn ":title"?',
'object_group_areYouSure' => 'Are you sure you want to delete the group titled ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Slett valgte elementer permanent',
'update_all_journals' => 'Oppdater disse transaksjonene',
'also_delete_transactions' => 'Den ene transaksjonen som er koblet til denne kontoen, vil også bli slettet. | Alle :count transaksjoner som er koblet til denne kontoen, slettes også.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'Den ene transaksjonen som er knyttet til denne koblingstypen, vil miste denne forbindelsen. | Alle :count transaksjoner knyttet til denne koblingstypen vil miste forbindelsen.',
'also_delete_rules' => 'Den ene regelen som er knyttet til denne regelgruppen, vil også bli slettet. | Alle de :count reglene som er knyttet til denne regelgruppen slettes også.',
'also_delete_piggyBanks' => 'Den ene sparegrisen som er koblet til denne kontoen, vil også bli slettet. | Alle de :count sparegrisene knyttet til denne kontoen slettes også.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'The piggy bank connected to this group will not be deleted.|The :count piggy banks connected to this group will not be deleted.',
'bill_keep_transactions' => 'Ingen transaksjoner knyttet til denne regningen blir slettet.|Ingen av de :count transaksjonene knyttet til denne regningen vil bli slettet.',
'budget_keep_transactions' => 'Ingen transaksjoner knyttet til dette budsjettet blir slettet.|Ingen av de :count transaksjonene knyttet til dette budsjettet vil bli slettet.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Verwijder debiteur ":name"',
'delete_liabilities_account' => 'Verwijder passiva ":name"',
'asset_deleted' => 'Betaalrekening ":name" is verwijderd.',
'account_deleted' => 'Rekening ":name" is verwijderd',
'expense_deleted' => 'Crediteur ":name" is verwijderd.',
'revenue_deleted' => 'Debiteur ":name" is verwijderd.',
'update_asset_account' => 'Wijzig betaalrekening',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III probeerde je door te sturen maar het ging mis. Sorry. Terug naar de index.',
'account_type' => 'Rekeningtype',
'save_transactions_by_moving' => 'Bewaar deze transactie door ze aan een andere rekening te koppelen:|Bewaar deze transacties door ze aan een andere rekening te koppelen:',
'save_transactions_by_moving_js' => 'Geen transacties|Bewaar deze transactie door ze aan een andere rekening te koppelen.|Bewaar deze transacties door ze aan een andere rekening te koppelen.',
'stored_new_account' => 'Nieuwe rekening ":name" opgeslagen!',
'updated_account' => 'Rekening ":name" geüpdatet',
'credit_card_options' => 'Opties voor credit cards',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Als je gebruiker ":email" verwijdert is alles weg. Je kan dit niet ongedaan maken of ont-verwijderen of wat dan ook. Als je jezelf verwijdert ben je ook je toegang tot deze installatie van Firefly III kwijt.',
'attachment_areYouSure' => 'Weet je zeker dat je de bijlage met naam ":name" wilt verwijderen?',
'account_areYouSure' => 'Weet je zeker dat je de rekening met naam ":name" wilt verwijderen?',
'account_areYouSure_js' => 'Weet je zeker dat je de rekening met naam "{name}" wilt verwijderen?',
'bill_areYouSure' => 'Weet je zeker dat je het contract met naam ":name" wilt verwijderen?',
'rule_areYouSure' => 'Weet je zeker dat je regel ":title" wilt verwijderen?',
'object_group_areYouSure' => 'Weet je zeker dat je groep ":title" wilt verwijderen?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Verwijder geselecteerde items permanent',
'update_all_journals' => 'Wijzig deze transacties',
'also_delete_transactions' => 'Ook de enige transactie verbonden aan deze rekening wordt verwijderd.|Ook alle :count transacties verbonden aan deze rekening worden verwijderd.',
'also_delete_transactions_js' => 'Geen transacties|Ook de enige transactie verbonden aan deze rekening wordt verwijderd.|Ook alle {count} transacties verbonden aan deze rekening worden verwijderd.',
'also_delete_connections' => 'De enige transactie gelinkt met dit linktype zal deze verbinding verliezen. | Alle :count transacties met dit linktype zullen deze verbinding verliezen.',
'also_delete_rules' => 'De enige regel in deze regelgroep wordt ook verwijderd.|Alle :count regels in deze regelgroep worden ook verwijderd.',
'also_delete_piggyBanks' => 'Ook het spaarpotje verbonden aan deze rekening wordt verwijderd.|Ook alle :count spaarpotjes verbonden aan deze rekening worden verwijderd.',
'also_delete_piggyBanks_js' => 'Geen spaarpotjes|Ook het spaarpotje verbonden aan deze rekening wordt verwijderd.|Ook alle {count} spaarpotjes verbonden aan deze rekening worden verwijderd.',
'not_delete_piggy_banks' => 'Het spaarpotje gelinkt aan deze groep wordt niet verwijderd.|De :count spaarpotjes gelinkt aan deze groep worden niet verwijderd.',
'bill_keep_transactions' => 'De enige transactie verbonden aan dit contract blijft bewaard.|De :count transacties verbonden aan dit contract blijven bewaard.',
'budget_keep_transactions' => 'De enige transactie verbonden aan dit budget blijft bewaard.|De :count transacties verbonden aan dit budget blijven bewaard.',

View File

@ -134,8 +134,8 @@ return [
'starts_with' => 'De waarde moet beginnen met :values.',
'unique_webhook' => 'Je hebt al een webhook met deze waarden.',
'unique_existing_webhook' => 'Je hebt al een andere webhook met deze waarden.',
'same_account_type' => 'Both accounts must be of the same account type',
'same_account_currency' => 'Both accounts must have the same currency setting',
'same_account_type' => 'Beide rekeningen moeten van hetzelfde rekeningtype zijn',
'same_account_currency' => 'Beide rekeningen moeten dezelfde valuta hebben',
'secure_password' => 'Dit is geen veilig wachtwoord. Probeer het nog een keer. Zie ook: https://bit.ly/FF3-password-security',
'valid_recurrence_rep_type' => 'Dit is geen geldige herhaling voor periodieke transacties.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Usuń konto przychodów ":name"',
'delete_liabilities_account' => 'Usuń zobowiązanie ":name"',
'asset_deleted' => 'Pomyślnie usunięto konto aktywów ":name"',
'account_deleted' => 'Pomyślnie usunięto konto ":name"',
'expense_deleted' => 'Pomyślnie usunięto konto wydatków ":name"',
'revenue_deleted' => 'Pomyślnie usunięto konto przychodów ":name"',
'update_asset_account' => 'Aktualizuj konto aktywów',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III próbował Cię przekierować, ale się nie udało. Przepraszamy za to. Wróć do strony głównej.',
'account_type' => 'Typ konta',
'save_transactions_by_moving' => 'Zapisz tą transakcję przenosząc ją na inne konto:|Zapisz te transakcje przenosząc je na inne konto:',
'save_transactions_by_moving_js' => 'Brak transakcji|Zapisz tę transakcję, przenosząc ją na inne konto.|Zapisz te transakcje przenosząc je na inne konto.',
'stored_new_account' => 'Nowe konto ":name" zostało zapisane!',
'updated_account' => 'Zaktualizowano konto ":name"',
'credit_card_options' => 'Opcje karty kredytowej',
@ -1847,7 +1849,7 @@ return [
'edit_object_group' => 'Modyfikuj grupę ":title"',
'delete_object_group' => 'Usuń grupę ":title"',
'update_object_group' => 'Aktualizuj grupę',
'updated_object_group' => 'Pomyślnie zmodyfikowano grupę ":title"',
'updated_object_group' => 'Pomyślnie zaktualizowano grupę ":title"',
'deleted_object_group' => 'Pomyślnie usunięto grupę ":title"',
'object_group' => 'Grupa',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Jeśli usuniesz użytkownika ":email", wszystko zniknie. Nie ma cofania, przywracania ani czegokolwiek. Jeśli usuniesz siebie, stracisz dostęp do tej instalacji Firefly III.',
'attachment_areYouSure' => 'Czy na pewno chcesz usunąć załącznik o nazwie ":name"?',
'account_areYouSure' => 'Czy na pewno chcesz usunąć konto o nazwie ":name"?',
'account_areYouSure_js' => 'Czy na pewno chcesz usunąć konto o nazwie "{name}"?',
'bill_areYouSure' => 'Czy na pewno chcesz usunąć rachunek o nazwie ":name"?',
'rule_areYouSure' => 'Czy na pewno chcesz usunąć regułę o nazwie ":name"?',
'object_group_areYouSure' => 'Czy na pewno chcesz usunąć grupę o nazwie ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Trwale usuń zaznaczone',
'update_all_journals' => 'Zmodyfikuj te transakcje',
'also_delete_transactions' => 'Jedyna transakcja powiązana z tym kontem zostanie również usunięta.|Wszystkie transakcje (:count) powiązane z tym kontem zostaną również usunięta.',
'also_delete_transactions_js' => 'Brak transakcji|Jedyna transakcja połączona z tym kontem również zostanie usunięta.|Wszystkie {count} transakcje połączone z tym kontem również zostaną usunięte.',
'also_delete_connections' => 'Jedyna transakcja połączona z tym typem łącza utraci to połączenie.|Wszystkie transakcje (:count) połączone tym typem łącza utracą swoje połączenie.',
'also_delete_rules' => 'Jedyna reguła połączona z tą grupą reguł zostanie również usunięta.|Wszystkie reguły (:count) połączone tą grupą reguł zostaną również usunięte.',
'also_delete_piggyBanks' => 'Jedyna skarbonka połączona z tym kontem zostanie również usunięta.|Wszystkie skarbonki (:count) połączone z tym kontem zostaną również usunięte.',
'also_delete_piggyBanks_js' => 'Brak skarbonek|Jedyna skarbonka połączona z tym kontem również zostanie usunięta.|Wszystkie {count} skarbonki połączone z tym kontem zostaną również usunięte.',
'not_delete_piggy_banks' => 'Skarbonka połączona z tą grupą nie zostanie usunięta.|:count skarbonek połączonych z tą grupą nie zostanie usunięte.',
'bill_keep_transactions' => 'Jedyna transakcja związana z tym rachunkiem nie zostanie usunięta.|Wszystkie transakcje (:count) związane z tym rachunkiem zostaną oszczędzone.',
'budget_keep_transactions' => 'Jedyna transakcja związana z tym budżetem nie zostanie usunięta.|Wszystkie transakcje (:count) związane z tym budżetem zostaną oszczędzone.',

View File

@ -134,8 +134,8 @@ return [
'starts_with' => 'Wartość musi zaczynać się od :values.',
'unique_webhook' => 'Masz już webhook z tymi wartościami.',
'unique_existing_webhook' => 'Masz już inny webhook z tymi wartościami.',
'same_account_type' => 'Both accounts must be of the same account type',
'same_account_currency' => 'Both accounts must have the same currency setting',
'same_account_type' => 'Oba konta muszą być tego samego typu',
'same_account_currency' => 'Oba konta muszą mieć to samo ustawienie waluty',
'secure_password' => 'To nie jest bezpieczne hasło. Proszę spróbować ponownie. Aby uzyskać więcej informacji odwiedź https://bit.ly/FF3-password-security',
'valid_recurrence_rep_type' => 'Nieprawidłowy typ powtórzeń dla cyklicznych transakcji.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Excluir conta de receitas ":name"',
'delete_liabilities_account' => 'Apagar passivo ":name"',
'asset_deleted' => 'Conta de ativo ":name" excluído com sucesso',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Conta de despesa ":name" excluída com sucesso',
'revenue_deleted' => 'Conta de receitas ":name" excluída com sucesso',
'update_asset_account' => 'Atualizar de conta de ativo',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III tentou te redirecionar mas não conseguiu. Desculpe por isso. De volta ao índice.',
'account_type' => 'Tipo de conta',
'save_transactions_by_moving' => 'Salve esta transação movendo-a para outra conta:|Salve essas transações movendo-as para outra conta:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Nova conta ":name" armazenado!',
'updated_account' => 'Conta ":name" atualizada',
'credit_card_options' => 'Opções de cartão de crédito',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Editar grupo ":title"',
'delete_object_group' => 'Excluir grupo ":title"',
'update_object_group' => 'Atualizar grupo',
'updated_object_group' => 'O grupo ":title" foi atualizado com sucesso',
'deleted_object_group' => 'O grupo ":title" foi deletado com sucesso',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Grupo',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Se você excluir o usuário ":email", tudo desaparecerá. Não será possível desfazer a ação. Se excluir você mesmo, você perderá acesso total a essa instância do Firefly III.',
'attachment_areYouSure' => 'Tem certeza que deseja excluir o anexo denominado ":name"?',
'account_areYouSure' => 'Tem certeza que deseja excluir a conta denominada ":name"?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => 'Você tem certeza que quer apagar a fatura ":name"?',
'rule_areYouSure' => 'Tem certeza que deseja excluir a regra intitulada ":title"?',
'object_group_areYouSure' => 'Você tem certeza que deseja excluir a regra intitulada ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Exclua os selecionados permanentemente',
'update_all_journals' => 'Atualizar essas transações',
'also_delete_transactions' => 'A única transação ligada a essa conta será excluída também.|Todas as :count transações ligadas a esta conta serão excluídas também.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'A única transação relacionada com este tipo de link vai perder a conexão. | Todas as transações de :count ligadas com este tipo de link vão perder sua conexão.',
'also_delete_rules' => 'A única regra que ligado a este grupo de regras será excluída também.|Todos as :count regras ligadas a este grupo de regras serão excluídas também.',
'also_delete_piggyBanks' => 'O único cofrinho conectado a essa conta será excluído também.|Todos os :count cofrinhos conectados a esta conta serão excluídos também.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'O cofrinho conectado a este grupo não será excluído.|Os :count cofrinhos conectados a este grupo não serão excluídos.',
'bill_keep_transactions' => 'A única transação conectada a esta conta não será excluída.|Todas as :count transações conectadas a esta conta não serão excluídas.',
'budget_keep_transactions' => 'A única transação conectada a este orçamento não será excluída.|Todas as :count transações conectadas a este orçamento não serão excluídas.',

View File

@ -134,8 +134,8 @@ return [
'starts_with' => 'O valor deve começar com :values.',
'unique_webhook' => 'Você já tem um webhook com esses valores.',
'unique_existing_webhook' => 'Você já tem outro webhook com esses valores.',
'same_account_type' => 'Both accounts must be of the same account type',
'same_account_currency' => 'Both accounts must have the same currency setting',
'same_account_type' => 'Ambas as contas devem ser do mesmo tipo',
'same_account_currency' => 'Ambas as contas devem ter a mesma configuração de moeda',
'secure_password' => 'Esta não é uma senha segura. Por favor, tente novamente. Para mais informações, visite https://bit.ly/FF3-password-security',
'valid_recurrence_rep_type' => 'Tipo de repetição inválido para transações recorrentes.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Apagar conta de receitas ":name"',
'delete_liabilities_account' => 'Apagar passivo ":name"',
'asset_deleted' => 'Conta de activos ":name" apagada com sucesso',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Conta de despesas ":name" apagada com sucesso',
'revenue_deleted' => 'Conta de receitas ":name" apagada com sucesso',
'update_asset_account' => 'Actualizar conta de activos',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III tentou redirecciona-lo mas não conseguiu. Pedimos desculpa. De volta ao inicio.',
'account_type' => 'Tipo de conta',
'save_transactions_by_moving' => 'Guarde esta transacção movendo-a para outra conta:|Guarde estas transacções movendo-as para outra conta:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Nova conta ":name" gravada!',
'updated_account' => 'Conta ":name" alterada',
'credit_card_options' => 'Opções do cartão de credito',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Editar grupo ":title"',
'delete_object_group' => 'Apagar grupo ":title"',
'update_object_group' => 'Actualizar grupo',
'updated_object_group' => 'Grupo actualizado com sucesso ":title"',
'deleted_object_group' => 'Grupo ":title" apagado com sucesso',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Grupo',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Se apagares o utilizador ":email", tudo em relacao a ele vai desaparecer. Nao existe retorno. Se apagares a tua propria conta, vais perder o acesso a esta instancia do Firefly III.',
'attachment_areYouSure' => 'Tens a certeza que pretendes apagar o anexo chamado ":name"?',
'account_areYouSure' => 'Tens a certeza que pretendes apagar a conta chamada ":name"?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => 'Tens a certeza que pretendes apagar a factura chamada ":name"?',
'rule_areYouSure' => 'Tens a certeza que pretendes apagar a regra com titulo ":title"?',
'object_group_areYouSure' => 'Tem certeza que quer apagar o grupo ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Apagar os seleccionados, permanentemente',
'update_all_journals' => 'Atualizar estas transações',
'also_delete_transactions' => 'A transação vinculada a esta conta vai ser também apagada.|As :count transações vinculadas a esta conta serão também apagadas.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'A transação vinculada a este tipo de ligação irá perder a conexão.|As :count transações vinculadas a este tipo de ligação irão perder as suas conexões.',
'also_delete_rules' => 'A unica regra vinculada a este grupo de regras vai ser apagada tambem.|Todas as :count regras vinculadas a este grupo de regras vao ser apagadas tambem.',
'also_delete_piggyBanks' => 'O unico mealheiro vinculado a esta conta vai ser apagado tambem.|Todos os :count mealheiros vinculados a esta conta vao ser apagados tambem.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'O mealheiro ligado a este grupo não vai ser apagado. Os :count mealheiros ligados a este grupo não vão ser apagados.',
'bill_keep_transactions' => 'A única transação vinculada a esta fatura não vai ser apagada.|Todas as :count transações vinculadas a esta fatura não vão ser apagadas.',
'budget_keep_transactions' => 'A única transação vinculada a este orçamento não vai ser apagada.|Todas as :count transações vinculadas a este orçamento não vão ser apagadas.',

View File

@ -134,7 +134,7 @@ return [
'starts_with' => 'O valor deve começar com :values.',
'unique_webhook' => 'Você já tem um gancho web (webhook) com esses valores.',
'unique_existing_webhook' => 'Você já tem outro gancho web (webhook) com esses valores.',
'same_account_type' => 'Both accounts must be of the same account type',
'same_account_type' => 'Ambas as contas devem ser do mesmo tipo de conta',
'same_account_currency' => 'Both accounts must have the same currency setting',
'secure_password' => 'Esta nao e uma password segura. Tenta de novo por favor. Para mais informacoes visita https://bit.ly/FF3-password-security',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Șterge contul de venituri ":name"',
'delete_liabilities_account' => 'Șterge provizionul ":name"',
'asset_deleted' => 'Contul de active ":name" a fost șters cu succes',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Contul de cheltuieli ":name" a fost șters cu succes',
'revenue_deleted' => 'Contul de venituri ":name" a fost șters cu succes',
'update_asset_account' => 'Actualizați contul de active',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III a încercat să vă redirecționeze, dar nu a putut. Îmi pare rău pentru asta. Înapoi la index.',
'account_type' => 'Tip cont',
'save_transactions_by_moving' => 'Save this transaction by moving it to another account:|Save these transactions by moving them to another account:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Cont nou ":name" salvat!',
'updated_account' => 'Contul ":name" actualizat',
'credit_card_options' => 'Opțiuni pentru carduri de credit',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Edit group ":title"',
'delete_object_group' => 'Delete group ":title"',
'update_object_group' => 'Update group',
'updated_object_group' => 'Succesfully updated group ":title"',
'deleted_object_group' => 'Succesfully deleted group ":title"',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Group',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Dacă ștergeți utilizatorul ":email", totul va dispărea. Nu există nici o undo (anulare), anulare ștergere sau orice altceva. Dacă vă ștergeți, veți pierde accesul la aplicație.',
'attachment_areYouSure' => 'Sunteți sigur că doriți să ștergeți atașamentul ":name"?',
'account_areYouSure' => 'Sunteți sigur că doriți să ștergeți contul ":name"?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => 'Sunteți sigur că doriți să ștergeți factura ":name"?',
'rule_areYouSure' => 'Sunteți sigur că doriți să ștergeți regula ":title"?',
'object_group_areYouSure' => 'Are you sure you want to delete the group titled ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Ștergeți selectat definitiv',
'update_all_journals' => 'Actualizați aceste tranzacții',
'also_delete_transactions' => 'Singura tranzacție conectată la acest cont va fi, de asemenea, ștearsă.|Toate cele :count tranzacții conectate la acest cont vor fi șterse.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'Singura tranzacție legată de acest tip de legătură va pierde această conexiune.|Toate cele :count tranzacții legate de acest tip de legătură vor pierde conexiunea.',
'also_delete_rules' => 'Singura regulă legată de acest grup de reguli va fi ștersă, de asemenea.|Toate cele :count reguli conectate la acest grup de reguli vor fi șterse, de asemenea.',
'also_delete_piggyBanks' => 'Singura pușculita conectată la acest cont va fi ștersă.|Toate cele :count pușculițe conectate la acest cont vor fi șterse, de asemenea.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'The piggy bank connected to this group will not be deleted.|The :count piggy banks connected to this group will not be deleted.',
'bill_keep_transactions' => 'Singura tranzacție conectată la această factură nu va fi ștearsă.|Toate cele :count tranzacții conectate la această factură vor fi scutite de ștergere.',
'budget_keep_transactions' => 'Singura tranzacție conectată la acest buget nu va fi ștearsă.|Toate cele :count tranzacții conectate la acest budet vor fi scutite de ștergere.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Удалить счёт доходов ":name"',
'delete_liabilities_account' => 'Удалить долговой счёт ":name"',
'asset_deleted' => 'Основной счёт ":name" успешно удалён',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Счёт расхода ":name" успешно удалён',
'revenue_deleted' => 'Счёт дохода ":name" успешно удалён',
'update_asset_account' => 'Обновить основной счёт',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III попытался перенаправить вас, но не смог. Извините. Вернуться на главную страницу.',
'account_type' => 'Тип счёта',
'save_transactions_by_moving' => 'Сохраните эту транзакцию, переместив её на другой счёт:|Сохраните эти транзакции, переместив их на другой счёт:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Новый счёт ":name" сохранён!',
'updated_account' => 'Обновить счёт ":name"',
'credit_card_options' => 'Параметры кредитной карты',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Изменить группу ":title"',
'delete_object_group' => 'Удалить группу ":title"',
'update_object_group' => 'Обновить группу',
'updated_object_group' => 'Группа ":title" успешно обновлена',
'deleted_object_group' => 'Группа ":title" успешно удалена',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Группа',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Если вы удалите пользователя ":email", все данные будут удалены. Это действие нельзя будет отменить. Если вы удалите себя, вы потеряете доступ к этому экземпляру Firefly III.',
'attachment_areYouSure' => 'Вы действительно хотите удалить вложение с именем ":name"?',
'account_areYouSure' => 'Вы действительно хотите удалить счёт с именем ":name"?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => 'Вы действительно хотите удалить счёт на оплату с именем ":name"?',
'rule_areYouSure' => 'Вы действительно хотите удалить правило с названием ":title"?',
'object_group_areYouSure' => 'Вы действительно хотите удалить группу с названием ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Удалить выбранное навсегда',
'update_all_journals' => 'Обновить эти транзакции',
'also_delete_transactions' => 'Будет удалена только транзакция, связанная с этим счётом.|Будут удалены все :count транзакций, связанные с этим счётом.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'Единственная транзакция, связанная с данным типом ссылки, потеряет это соединение. |Все :count транзакций, связанные с данным типом ссылки, потеряют свои соединения.',
'also_delete_rules' => 'Единственное правило, связанное с данной группой правил, будет удалено. |Все :count правила, связанные с данной группой правил, будут удалены.',
'also_delete_piggyBanks' => 'Единственная копилка, связанная с данным счётом, будет удалена.|Все :count копилки, связанные с данным счётом, будут удалены.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'Копилка, подключенная к этой группе, не будет удалена.|Копилки (:count), подключенные к этой группе, не будет удалены.',
'bill_keep_transactions' => 'Единственная транзакция, связанная с данным счётом, не будет удалена. |Все :count транзакции, связанные с данным счётом, будут сохранены.',
'budget_keep_transactions' => 'Единственная транзакция, связанная с данным бюджетом, не будет удалена.|Все :count транзакции, связанные с этим бюджетом, будут сохранены.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Odstrániť výnosový účet ":name"',
'delete_liabilities_account' => 'Odstrániť záväzok „:name“',
'asset_deleted' => 'Majetkový účet ":name" bol odstránený',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Výdavkový účet ":name" bol odstránený',
'revenue_deleted' => 'Výnosový účet ":name" bol odstránený',
'update_asset_account' => 'Upraviť výdajový účet',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III sa vás pokúsil presmerovať, ale nepodarilo sa. Prepáčte. Späť na úvod.',
'account_type' => 'Typ účtu',
'save_transactions_by_moving' => 'Uložte túto transakciu presunutím do iného účtu:|Uložte tieto transakcie presunutím do iného účtu:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Nový účet „:name“ bol uložený!',
'updated_account' => 'Účet „:name“ upravený',
'credit_card_options' => 'Možnosti kreditnej karty',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Upraviť skupinu „:title“',
'delete_object_group' => 'Odstrániť skupinu ":title"',
'update_object_group' => 'Aktualizovať skupinu',
'updated_object_group' => 'Skupina pravidiel „:title“ bola upravená',
'deleted_object_group' => 'Skupina „:title“ bola odstránená',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Skupina',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Ak odstránite používateľa ":email“, všetko zmizne. Nie je možné vrátiť sa späť, obnoviť, nič. Ak odstránite sami seba, stratíte prístup k tejto inštancii Firefly III.',
'attachment_areYouSure' => 'Skutočne chcete odstrániť prílohu s názvom ":name"?',
'account_areYouSure' => 'Skutočne chcete odstrániť účet s názvom ":name"?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => 'Skutočne chcete odstrániť účet s názvom ":name"?',
'rule_areYouSure' => 'Skutočne chcete odstrániť pravidlo s názvom ":title"?',
'object_group_areYouSure' => 'Skutočne chcete odstrániť skupinu s názvom ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Permanentne odstrániť označené záznamy',
'update_all_journals' => 'Aktualizovať tieto transakcie',
'also_delete_transactions' => 'Odstráni sa aj jediná transakcia spojená s týmto účtom.|Odstráni sa tiež :count transakcií spojených s týmto účtom.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'Jediná transakcia spojená s týmto typom odkazu stratí toto pripojenie.|Všetkých :count transakcií prepojených s týmto typom odkazu stratí svoje pripojenie.',
'also_delete_rules' => 'Odstráni sa aj jediné pravidlo spojené s touto skupinou pravidiel.|Odstráni sa tiež :count pravidiel spojených s touto skupinou pravidiel.',
'also_delete_piggyBanks' => 'Odstráni sa tiež jediné prasiatko prepojené s týmto účtom.|Odstráni sa tiež :count prasiatok prepojených s týmto účtom.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'Prasiatko prepojené s touto skupinou nebude odstránené.|:count prasiatok prepojených s touto skupinou nebude odstránených.',
'bill_keep_transactions' => 'Jediná transakcia spojená s týmto účtom nebude odstránená.|:count transakcií prepojených s týmto účtom nebude odstránených.',
'budget_keep_transactions' => 'Jediná transakcia spojená s týmto rozpočtom nebude odstránená.|:count transakcií prepojených s týmto rozpočtom nebude odstránených.',

View File

@ -423,7 +423,7 @@ return [
'apply_rule_selection' => 'Tillämpa regel ":title" till ditt val av transaktioner',
'apply_rule_selection_intro' => 'Regler som ":title" används normalt bara för nya eller uppdaterade transaktioner, men du kan få Firefly III att köra det på ett utval av nuvarande transaktioner. Detta kan vara användbart när du har uppdaterat en regel ändringen behöver göras på alla dina transaktioner.',
'include_transactions_from_accounts' => 'Inkludera transaktioner från dessa konton',
'include' => 'Include?',
'include' => 'Inkludera?',
'applied_rule_selection' => '{0} Inga transaktioner i ditt urval ändrades av regeln ":title".|[1] En transaktion i ditt urval ändrades av regeln ":title".|[2,*] :count transaktioner i ditt urval ändrades av regeln ":title".',
'execute' => 'Utför',
'apply_rule_group_selection' => 'Tillämpa regel grupp ":title" till dit val av transaktioner',
@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Ta bort intäktskonto ":name"',
'delete_liabilities_account' => 'Ta bort skuld ":name"',
'asset_deleted' => 'Tillgångskonto togs bort ":name"',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Utgiftskonto togs bort ":name"',
'revenue_deleted' => 'Intäktskonto togs bort ":name"',
'update_asset_account' => 'Uppdatera tillgångskonto',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III försökte omdirigera dig men misslyckades. Förlåt, åter till index.',
'account_type' => 'Kontotyp',
'save_transactions_by_moving' => 'Spara denna transaktion genom att flytta den till ett annat konto:|Spara dessa transaktioner genom att flytta dem till ett annat konto:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Nytt konto ":name" lagrat!',
'updated_account' => 'Konto ":name" uppdaterad',
'credit_card_options' => 'Kreditkortalternativ',
@ -1168,7 +1170,7 @@ return [
'deleted_deposit' => 'Insättning ":description" har tagits bort',
'deleted_transfer' => 'Överföring ":description" har tagits bort',
'deleted_reconciliation' => 'Avstämningstransaktionen ":description" togs bort lyckat',
'stored_journal' => 'Transaktion ":description" har tagits bort',
'stored_journal' => 'Skapade ny transaktion ":description"',
'stored_journal_no_descr' => 'Ny transaktion skapades lyckat',
'updated_journal_no_descr' => 'Transaktion har uppdaterats',
'select_transactions' => 'Välj transaktioner',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Redigera grupp ":title"',
'delete_object_group' => 'Ta bort grupp ":title"',
'update_object_group' => 'Uppdatera grupp',
'updated_object_group' => 'Uppdatering för grupp ":title" lyckades',
'deleted_object_group' => 'Grupp ":title" lyckades tas bort',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Grupp',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Om du tar bort användare ":email", tas allting bort. Det går inte att ångra, återta eller något. Om du tar bort dig själv, tappar du åtkomst till denna installation av Firefly III.',
'attachment_areYouSure' => 'Är du säker du vill ta bort bilagan ":name"?',
'account_areYouSure' => 'Är du säker du vill ta bort kontot ":name"?',
'account_areYouSure_js' => 'Är du säker du vill ta bort kontot "{name}"?',
'bill_areYouSure' => 'Är du säker du vill ta bort räkningen ":name"?',
'rule_areYouSure' => 'Är du säker du vill ta bort regeln ":title"?',
'object_group_areYouSure' => 'Är du säker på att du vill ta bort gruppen ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Ta bort valt permanent',
'update_all_journals' => 'Uppdatera dessa transaktioner',
'also_delete_transactions' => 'Transaktionen kopplad till detta konto kommer också att tas bort.|Alla :count transaktioner kopplade till detta konto kommer också att tas bort.',
'also_delete_transactions_js' => 'Inga transaktioner|Den enda transaktionen som är ansluten till detta konto kommer också att tas bort.|Alla {count} transaktioner som är kopplade till detta konto kommer också att tas bort.',
'also_delete_connections' => 'Den transaktion som är länkad med denna länktyp kommer att mista sin koppling.|Alla :count transaktioner länkade med denna länktyp kommer att mista sin koppling.',
'also_delete_rules' => 'Regeln kopplad till denna regelgrupp tas också bort. Alla :count regler kopplade till denna regelgrupp tas också bort.',
'also_delete_piggyBanks' => 'Spargrisen kopplad till detta konto tas också bort.|Alla :count spargrisar kopplade till detta konto kommer också att tas bort.',
'also_delete_piggyBanks_js' => 'Inga spargrisar|Den enda spargrisen som är ansluten till detta konto kommer också att tas bort.|Alla {count} spargrisar anslutna till detta konto kommer också att tas bort.',
'not_delete_piggy_banks' => 'Den sparbank som är ansluten till denna grupp tas ej bort.|De :count sparbanker anslutna till denna grupp kommer inte att tas bort.',
'bill_keep_transactions' => 'Transaktionen kopplad till räkningen kommer inte att tas bort.|Alla :count transaktioner kopplade till denna räkning tas inte bort.',
'budget_keep_transactions' => 'Transaktionen kopplad till budgeten kommer att sparas.|Alla :count transaktioner kopplade till budgeten kommer att sparas.',

View File

@ -134,8 +134,8 @@ return [
'starts_with' => 'Värdet måste börja med :values.',
'unique_webhook' => 'Du har redan en webhook med dessa värden.',
'unique_existing_webhook' => 'Du har redan en annan webhook med dessa värden.',
'same_account_type' => 'Both accounts must be of the same account type',
'same_account_currency' => 'Both accounts must have the same currency setting',
'same_account_type' => 'Båda kontona måste vara samma kontotyp',
'same_account_currency' => 'Båda kontona måste ha samma valutainställning',
'secure_password' => 'Detta lösenord är inte säkert. Vänligen försök igen. För mer info se https://bit.ly/FF3-password-security',
'valid_recurrence_rep_type' => 'Ogiltig repetitionstyp får återkommande transaktioner.',

View File

@ -1049,6 +1049,7 @@ return [
'delete_revenue_account' => '":name" Gelir hesabını sil',
'delete_liabilities_account' => 'Delete liability ":name"',
'asset_deleted' => '":name" Adlı varlık hesabı başarıyla silindi',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => '":name" gider hesabı başarıyla silindi',
'revenue_deleted' => '":name" gelir hesabı başarıyla silindi',
'update_asset_account' => 'Varlık hesabını güncelle',
@ -1095,6 +1096,7 @@ return [
'cant_find_redirect_account' => 'Firefly III tried to redirect you but couldn\'t. Sorry about that. Back to the index.',
'account_type' => 'Hesap Türü',
'save_transactions_by_moving' => 'Save this transaction by moving it to another account:|Save these transactions by moving them to another account:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Yeni hesap ":name" kaydedildi!',
'updated_account' => 'Güncellenmiş hesap ismi ":name"',
'credit_card_options' => 'Kredi kart seçenekleri',
@ -1848,8 +1850,8 @@ return [
'edit_object_group' => 'Edit group ":title"',
'delete_object_group' => 'Delete group ":title"',
'update_object_group' => 'Update group',
'updated_object_group' => 'Succesfully updated group ":title"',
'deleted_object_group' => 'Succesfully deleted group ":title"',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Group',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => '":email" kullanıcısını silerseniz her şey gitmiş olacak. Geriye alma, silmeyi iptal etme veya başka bir şey yoktur. Eğer kendinizi silerseniz, bu Firefly III\'e erişiminizi kaybedersiniz.',
'attachment_areYouSure' => '":name" isimli eklentiyi silmek istediğinizden emin misiniz?',
'account_areYouSure' => '":name" isimli hesabı silmek istediğinizden emin misiniz?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => '":name" isimli faturayı silmek istediğinizden emin misiniz?',
'rule_areYouSure' => '":title" başlıklı kuralı silmek istediğinizden emin misiniz?',
'object_group_areYouSure' => 'Are you sure you want to delete the group titled ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Seçilenleri kalıcı olarak sil',
'update_all_journals' => 'Bu işlemleri güncelleyin',
'also_delete_transactions' => 'Bu hesaba bağlı olan tek işlem de silinecektir. |Bu hesaba bağlı tüm :count işlemleri de silinecektir.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'Bu bağlantıya bağlı tek işlem bağlantısını kaybedecek.| Bu bağlantı türüne bağlı tüm :count işlemleri bağlantılarını kaybedecek.',
'also_delete_rules' => 'Bu hesaba bağlı olan tek kural grubu da silinecektir. |Bu hesaba bağlı tüm :count kuralları da silinecektir.',
'also_delete_piggyBanks' => 'Bu hesaba bağlı olan tek kumbara da silinecektir. |Bu hesaba bağlı olan tüm :count kumbaraları da silinecektir.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'The piggy bank connected to this group will not be deleted.|The :count piggy banks connected to this group will not be deleted.',
'bill_keep_transactions' => 'The only transaction connected to this bill will not be deleted.|All :count transactions connected to this bill will be spared deletion.',
'budget_keep_transactions' => 'The only transaction connected to this budget will not be deleted.|All :count transactions connected to this budget will be spared deletion.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => 'Xóa tài khoản doanh thu ":name"',
'delete_liabilities_account' => 'Xóa tài khoản nợ ":name"',
'asset_deleted' => 'Thành công tài khoản bị xóa ":name"',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => 'Thành công xóa tài khoản chi phí ":name"',
'revenue_deleted' => 'Thành công xóa tài khoản doanh thu ":name"',
'update_asset_account' => 'Cập nhật tài khoản',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III đã cố gắng chuyển hướng bạn nhưng không thể. Xin lỗi vì điều đó. Quay lại chỉ mục.',
'account_type' => 'Loại tài khoản',
'save_transactions_by_moving' => 'Lưu giao dịch này bằng cách di chuyển nó sang tài khoản khác: | Lưu các giao dịch này bằng cách chuyển chúng sang tài khoản khác:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => 'Tài khoản mới ":name" đã được lưu trữ!',
'updated_account' => 'Đã cập nhật tài khoản ":name"',
'credit_card_options' => 'Tùy chọn thẻ tín dụng',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Chỉnh sửa nhóm ":title"',
'delete_object_group' => 'Delete group ":title"',
'update_object_group' => 'Cập nhật nhóm',
'updated_object_group' => 'Nhóm được cập nhật thành công ":title"',
'deleted_object_group' => 'Đã xóa nhóm thành công ":title"',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Nhóm',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => 'Nếu bạn xóa người dùng ":email", mọi thứ sẽ biến mất không thể phục hồi. Nếu bạn tự xóa tài khoản của mình bạn sẽ không truy cập bằng tài khoản này được.',
'attachment_areYouSure' => 'Bạn có chắc chắn muốn xóa tệp đính kèm có tên ":name"?',
'account_areYouSure' => 'Bạn có chắc chắn muốn xóa tài khoản có tên ":name"?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => 'Bạn có chắc chắn muốn xóa hóa đơn có tên ":name"?',
'rule_areYouSure' => 'Bạn có chắc chắn muốn xóa quy tắc có tiêu đề ":title"?',
'object_group_areYouSure' => 'Bạn có chắc chắn muốn xóa nhóm có tiêu đề ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => 'Xóa các mục đã chọn vĩnh viễn',
'update_all_journals' => 'Cập nhật những giao dịch này',
'also_delete_transactions' => 'Giao dịch duy nhất được kết nối với tài khoản này sẽ bị xóa. Số giao dịch được kết nối với tài khoản này cũng sẽ bị xóa.',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => 'Giao dịch duy nhất được liên kết với loại liên kết này sẽ mất kết nối. Số giao dịch được liên kết với loại liên kết này sẽ mất kết nối.',
'also_delete_rules' => 'Quy tắc duy nhất được kết nối với nhóm quy tắc này cũng sẽ bị xóa. Quy tắc đếm được kết nối với nhóm quy tắc này cũng sẽ bị xóa.',
'also_delete_piggyBanks' => 'Heo đất duy nhất được kết nối với tài khoản này cũng sẽ bị xóa. Heo đất được kết nối với tài khoản này cũng sẽ bị xóa.',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'Ống heo được kết nối với nhóm này sẽ không bị xóa. :count ống heo được kết nối với nhóm này sẽ không bị xóa.',
'bill_keep_transactions' => 'Giao dịch duy nhất được kết nối với hóa đơn này sẽ không bị xóa. Số giao dịch được kết nối với hóa đơn này sẽ bị xóa.',
'budget_keep_transactions' => 'Giao dịch duy nhất được kết nối với ngân sách này sẽ không bị xóa. Các giao dịch được kết nối với ngân sách này sẽ không bị xóa.',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => '删除收入账户“:name”',
'delete_liabilities_account' => '删除债务账户“:name”',
'asset_deleted' => '已成功删除资产账户“:name”',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => '已成功删除支出账户“:name”',
'revenue_deleted' => '已成功删除收入账户“:name”',
'update_asset_account' => '更新资产账户',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => '很抱歉Firefly III 无法跳转。正在返回主页...',
'account_type' => '账户类型',
'save_transactions_by_moving' => '将此交易移动到另一个账户并保存:|将这些交易移动到另一个账户并保存:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => '新账户“:name”已保存',
'updated_account' => '账户“:name”已更新',
'credit_card_options' => '信用卡选项',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => '编辑组“:title”',
'delete_object_group' => '删除组“:title”',
'update_object_group' => '更新组',
'updated_object_group' => '成功更新组“:title”',
'deleted_object_group' => '成功删除组“:title”',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => '组',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => '如果您删除用户“:email”此用户的所有数据都会被删除且无法恢复。如果您删除自己您将无法进入此 Firefly III 站点。',
'attachment_areYouSure' => '您确定要删除附件“:name”吗',
'account_areYouSure' => '您确定要删除账户“:name”吗',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => '您确定要删除账单“:name”吗',
'rule_areYouSure' => '您确定要删除规则“:title”吗',
'object_group_areYouSure' => '您确定要删除组“:title”吗',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => '永久删除已选项目',
'update_all_journals' => '更新这些交易',
'also_delete_transactions' => '与此账户关联的唯一一笔交易也会被删除。|与此账户关联的 :count 笔交易也会被删除。',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => '与此关联类型相关联的唯一一笔交易会遗失连接。|与此关联类型相关联的 :count 笔交易会遗失连接。',
'also_delete_rules' => '与此规则组关联的唯一一条规则也会被删除。|与此规则组关联的 :count 条规则也会被删除。',
'also_delete_piggyBanks' => '与此账户关联的唯一一个存钱罐也会被删除。|与此账户关联的 :count 个存钱罐也会被删除。',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => '关联至此组的存钱罐将不会被删除。|关联至此组的 :count 个存钱罐将不会被删除。',
'bill_keep_transactions' => '与此账单关联的唯一一笔交易不会被删除。|与此账单关联的 :count 笔交易不会被删除。',
'budget_keep_transactions' => '与此预算关联的唯一一笔交易不会被删除。|与此预算关联的 :count 笔交易不会被删除。',

View File

@ -1048,6 +1048,7 @@ return [
'delete_revenue_account' => '刪除收入帳戶 ":name"',
'delete_liabilities_account' => '刪除債務 ":name"',
'asset_deleted' => '已成功刪除資產帳戶 ":name"',
'account_deleted' => 'Successfully deleted account ":name"',
'expense_deleted' => '已成功刪除支出帳戶 ":name"',
'revenue_deleted' => '已成功刪除收入帳戶 ":name"',
'update_asset_account' => '更新資產帳戶',
@ -1094,6 +1095,7 @@ return [
'cant_find_redirect_account' => 'Firefly III tried to redirect you but couldn\'t. Sorry about that. Back to the index.',
'account_type' => '帳戶類型',
'save_transactions_by_moving' => 'Save this transaction by moving it to another account:|Save these transactions by moving them to another account:',
'save_transactions_by_moving_js' => 'No transactions|Save this transaction by moving it to another account. |Save these transactions by moving them to another account.',
'stored_new_account' => '新帳戶 ":name" 已儲存!',
'updated_account' => '帳戶 ":name" 已更新',
'credit_card_options' => '信用卡選項',
@ -1847,8 +1849,8 @@ return [
'edit_object_group' => 'Edit group ":title"',
'delete_object_group' => 'Delete group ":title"',
'update_object_group' => 'Update group',
'updated_object_group' => 'Succesfully updated group ":title"',
'deleted_object_group' => 'Succesfully deleted group ":title"',
'updated_object_group' => 'Successfully updated group ":title"',
'deleted_object_group' => 'Successfully deleted group ":title"',
'object_group' => 'Group',

View File

@ -137,6 +137,7 @@ return [
'user_areYouSure' => '如果您刪除使用者 ":email",該名使用者的任何資訊均會消失,無法復原。如果您刪除自己,將無法進入此 Firefly III 版本。',
'attachment_areYouSure' => '你確定你想要刪除附加檔案 ":name"?',
'account_areYouSure' => '你確定你想要刪除名為 ":name" 的帳戶?',
'account_areYouSure_js' => 'Are you sure you want to delete the account named "{name}"?',
'bill_areYouSure' => '你確定你想要刪除名為 ":name" 的帳單?',
'rule_areYouSure' => '你確定你想要刪除名為 ":title" 的規則?',
'object_group_areYouSure' => 'Are you sure you want to delete the group titled ":title"?',
@ -156,9 +157,11 @@ return [
'delete_all_permanently' => '永久刪除已選項目',
'update_all_journals' => '更新這些交易',
'also_delete_transactions' => '與此帳戶連接的唯一一筆交易也會被刪除。|與此帳戶連接的 :count 筆交易也會被刪除。',
'also_delete_transactions_js' => 'No transactions|The only transaction connected to this account will be deleted as well.|All {count} transactions connected to this account will be deleted as well.',
'also_delete_connections' => '與此連結類型連接的唯一一筆交易會遺失連接。|與此連結類型連接的 :count 筆交易會遺失連接。',
'also_delete_rules' => '與此規則群組連接的唯一一則規則也會被刪除。|與此規則群組連接的 :count 則規則也會被刪除。',
'also_delete_piggyBanks' => '與此帳戶連接的唯一一個小豬撲滿也會被刪除。|與此帳戶連接的 :count 個小豬撲滿也會被刪除。',
'also_delete_piggyBanks_js' => 'No piggy banks|The only piggy bank connected to this account will be deleted as well.|All {count} piggy banks connected to this account will be deleted as well.',
'not_delete_piggy_banks' => 'The piggy bank connected to this group will not be deleted.|The :count piggy banks connected to this group will not be deleted.',
'bill_keep_transactions' => '與此帳單連接的唯一一筆交易不會被刪除。|與此帳單連接的 :count 筆交易不會被刪除。',
'budget_keep_transactions' => '與此預算連接的唯一一筆交易不會被刪除。|與此預算連接的 :count 筆交易不會被刪除。',