mirror of
https://github.com/firefly-iii/firefly-iii.git
synced 2025-02-25 18:45:27 -06:00
Fix #3238
This commit is contained in:
parent
f3b116cfce
commit
35d30fea9c
2
public/v1/js/app.js
vendored
2
public/v1/js/app.js
vendored
File diff suppressed because one or more lines are too long
2
public/v1/js/app_vue.js
vendored
2
public/v1/js/app_vue.js
vendored
File diff suppressed because one or more lines are too long
2
public/v1/js/create_transaction.js
vendored
2
public/v1/js/create_transaction.js
vendored
File diff suppressed because one or more lines are too long
2
public/v1/js/edit_transaction.js
vendored
2
public/v1/js/edit_transaction.js
vendored
File diff suppressed because one or more lines are too long
2
public/v1/js/profile.js
vendored
2
public/v1/js/profile.js
vendored
File diff suppressed because one or more lines are too long
106
resources/assets/js/components/transactions/Bill.vue
Normal file
106
resources/assets/js/components/transactions/Bill.vue
Normal file
@ -0,0 +1,106 @@
|
||||
|
||||
<!--
|
||||
- Bill.vue
|
||||
- Copyright (c) 2019 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 class="form-group"
|
||||
v-bind:class="{ 'has-error': hasError()}"
|
||||
v-if="typeof this.transactionType === 'undefined' || this.transactionType === 'withdrawal' || this.transactionType === 'Withdrawal' || this.transactionType === '' || null === this.transactionType">
|
||||
<div class="col-sm-12 text-sm">
|
||||
{{ $t('firefly.bill') }}
|
||||
</div>
|
||||
<div class="col-sm-12">
|
||||
<select
|
||||
name="bill[]"
|
||||
ref="bill"
|
||||
v-model="selected"
|
||||
@input="handleInput"
|
||||
v-on:change="signalChange"
|
||||
:title="$t('firefly.bill')"
|
||||
class="form-control"
|
||||
v-if="this.bills.length > 0">
|
||||
<option v-for="cBill in this.bills"
|
||||
:label="cBill.name"
|
||||
:value="cBill.id">{{ cBill.name }}
|
||||
</option>
|
||||
</select>
|
||||
<p class="help-block" v-if="this.bills.length === 1" v-html="$t('firefly.no_bill_pointer')"></p>
|
||||
<ul class="list-unstyled" v-for="error in this.error">
|
||||
<li class="text-danger">{{ error }}</li>
|
||||
</ul>
|
||||
</div>
|
||||
</div>
|
||||
</template>
|
||||
|
||||
<script>
|
||||
export default {
|
||||
name: "Bill",
|
||||
props: {
|
||||
transactionType: String,
|
||||
value: {
|
||||
type: [String, Number],
|
||||
default: 0
|
||||
},
|
||||
error: Array,
|
||||
no_bill: String,
|
||||
},
|
||||
mounted() {
|
||||
this.loadBills();
|
||||
},
|
||||
data() {
|
||||
return {
|
||||
selected: this.value ?? 0,
|
||||
bills: [],
|
||||
}
|
||||
},
|
||||
methods: {
|
||||
// Fixes edit change bill not updating on every broswer
|
||||
signalChange: function(e) {
|
||||
this.$emit('input', this.$refs.bill.value);
|
||||
},
|
||||
handleInput(e) {
|
||||
this.$emit('input', this.$refs.bill.value);
|
||||
},
|
||||
hasError: function () {
|
||||
return this.error.length > 0;
|
||||
},
|
||||
loadBills: function () {
|
||||
let URI = document.getElementsByTagName('base')[0].href + 'api/v1/autocomplete/bills?limit=1337';
|
||||
axios.get(URI, {}).then((res) => {
|
||||
this.bills = [
|
||||
{
|
||||
name: this.no_bill,
|
||||
id: 0,
|
||||
}
|
||||
];
|
||||
for (const key in res.data) {
|
||||
if (res.data.hasOwnProperty(key) && /^0$|^[1-9]\d*$/.test(key) && key <= 4294967294) {
|
||||
this.bills.push(res.data[key]);
|
||||
}
|
||||
}
|
||||
});
|
||||
}
|
||||
}
|
||||
}
|
||||
</script>
|
||||
|
||||
<style scoped>
|
||||
|
||||
</style>
|
@ -66,7 +66,7 @@
|
||||
},
|
||||
data() {
|
||||
return {
|
||||
selected: this.value,
|
||||
selected: this.value ?? 0,
|
||||
budgets: [],
|
||||
}
|
||||
},
|
||||
|
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
2
resources/assets/js/create_transaction.js
vendored
2
resources/assets/js/create_transaction.js
vendored
@ -36,6 +36,7 @@ import TransactionType from "./components/transactions/TransactionType";
|
||||
import AccountSelect from "./components/transactions/AccountSelect";
|
||||
import Budget from "./components/transactions/Budget";
|
||||
import CustomUri from "./components/transactions/CustomUri";
|
||||
import Bill from "./components/transactions/Bill";
|
||||
|
||||
/**
|
||||
* First we will load Axios via bootstrap.js
|
||||
@ -47,6 +48,7 @@ require('./bootstrap');
|
||||
|
||||
// components for create and edit transactions.
|
||||
Vue.component('budget', Budget);
|
||||
Vue.component('bill', Bill);
|
||||
Vue.component('custom-date', CustomDate);
|
||||
Vue.component('custom-string', CustomString);
|
||||
Vue.component('custom-attachments', CustomAttachments);
|
||||
|
2
resources/assets/js/edit_transaction.js
vendored
2
resources/assets/js/edit_transaction.js
vendored
@ -36,6 +36,7 @@ import TransactionType from "./components/transactions/TransactionType";
|
||||
import AccountSelect from "./components/transactions/AccountSelect";
|
||||
import Budget from "./components/transactions/Budget";
|
||||
import CustomUri from "./components/transactions/CustomUri";
|
||||
import Bill from "./components/transactions/Bill";
|
||||
|
||||
/**
|
||||
* First we will load Axios via bootstrap.js
|
||||
@ -47,6 +48,7 @@ import CustomUri from "./components/transactions/CustomUri";
|
||||
|
||||
// components for create and edit transactions.
|
||||
Vue.component('budget', Budget);
|
||||
Vue.component('bill', Bill);
|
||||
Vue.component('custom-date', CustomDate);
|
||||
Vue.component('custom-string', CustomString);
|
||||
Vue.component('custom-attachments', CustomAttachments);
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Transaction #{ID}<\/a> has been stored.",
|
||||
"transaction_journal_information": "Informace o transakci",
|
||||
"no_budget_pointer": "Zd\u00e1 se, \u017ee zat\u00edm nem\u00e1te \u017e\u00e1dn\u00e9 rozpo\u010dty. Na str\u00e1nce <a href=\":link\">rozpo\u010dty<\/a> byste n\u011bjak\u00e9 m\u011bli vytvo\u0159it. Rozpo\u010dty mohou pomoci udr\u017eet si p\u0159ehled ve v\u00fddaj\u00edch.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Zdrojov\u00fd \u00fa\u010det",
|
||||
"hidden_fields_preferences": "You can enable more transaction options in your <a href=\"\/preferences\">settings<\/a>.",
|
||||
"destination_account": "C\u00edlov\u00fd \u00fa\u010det",
|
||||
@ -24,6 +25,7 @@
|
||||
"date": "Datum",
|
||||
"tags": "\u0160t\u00edtky",
|
||||
"no_budget": "(\u017e\u00e1dn\u00fd rozpo\u010det)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Kategorie",
|
||||
"attachments": "P\u0159\u00edlohy",
|
||||
"notes": "Pozn\u00e1mky",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "You can't edit the destination account of a reconciliation transaction.",
|
||||
"source_account_reconciliation": "You can't edit the source account of a reconciliation transaction.",
|
||||
"budget": "Rozpo\u010det",
|
||||
"bill": "\u00da\u010det",
|
||||
"you_create_withdrawal": "You're creating a withdrawal.",
|
||||
"you_create_transfer": "You're creating a transfer.",
|
||||
"you_create_deposit": "You're creating a deposit.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Buchung #{ID}<\/a> wurde gespeichert.",
|
||||
"transaction_journal_information": "Transaktionsinformationen",
|
||||
"no_budget_pointer": "Sie scheinen noch keine Kostenrahmen festgelegt zu haben. Sie sollten einige davon auf der Seite <a href=\"\/budgets\">\u201eKostenrahmen\u201d<\/a> anlegen. Kostenrahmen k\u00f6nnen Ihnen dabei helfen, den \u00dcberblick \u00fcber die Ausgaben zu behalten.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Quellkonto",
|
||||
"hidden_fields_preferences": "Sie k\u00f6nnen weitere Buchungsoptionen in Ihren <a href=\"\/preferences\">Einstellungen<\/a> aktivieren.",
|
||||
"destination_account": "Zielkonto",
|
||||
@ -24,6 +25,7 @@
|
||||
"date": "Datum",
|
||||
"tags": "Schlagw\u00f6rter",
|
||||
"no_budget": "(kein Budget)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Kategorie",
|
||||
"attachments": "Anh\u00e4nge",
|
||||
"notes": "Notizen",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "Sie k\u00f6nnen das Zielkonto einer Kontenausgleichsbuchung nicht bearbeiten.",
|
||||
"source_account_reconciliation": "Sie k\u00f6nnen das Quellkonto einer Kontenausgleichsbuchung nicht bearbeiten.",
|
||||
"budget": "Budget",
|
||||
"bill": "Rechnung",
|
||||
"you_create_withdrawal": "Sie haben eine Auszahlung erstellt.",
|
||||
"you_create_transfer": "Sie haben eine Buchung erstellt.",
|
||||
"you_create_deposit": "Sie haben eine Einzahlung erstellt.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">\u0397 \u03c3\u03c5\u03bd\u03b1\u03bb\u03bb\u03b1\u03b3\u03ae #{ID}<\/a> \u03ad\u03c7\u03b5\u03b9 \u03b1\u03c0\u03bf\u03b8\u03b7\u03ba\u03b5\u03c5\u03c4\u03b5\u03af.",
|
||||
"transaction_journal_information": "\u03a0\u03bb\u03b7\u03c1\u03bf\u03c6\u03bf\u03c1\u03af\u03b5\u03c2 \u03c3\u03c5\u03bd\u03b1\u03bb\u03bb\u03b1\u03b3\u03ae\u03c2",
|
||||
"no_budget_pointer": "\u03a6\u03b1\u03af\u03bd\u03b5\u03c4\u03b1\u03b9 \u03c0\u03c9\u03c2 \u03b4\u03b5\u03bd \u03ad\u03c7\u03b5\u03c4\u03b5 \u03bf\u03c1\u03af\u03c3\u03b5\u03b9 \u03c0\u03c1\u03bf\u03cb\u03c0\u03bf\u03bb\u03bf\u03b3\u03b9\u03c3\u03bc\u03bf\u03cd\u03c2 \u03b1\u03ba\u03cc\u03bc\u03b7. \u03a0\u03c1\u03ad\u03c0\u03b5\u03b9 \u03bd\u03b1 \u03b4\u03b7\u03bc\u03b9\u03bf\u03c5\u03c1\u03b3\u03ae\u03c3\u03b5\u03c4\u03b5 \u03ba\u03ac\u03c0\u03bf\u03b9\u03bf\u03bd \u03c3\u03c4\u03b7 \u03c3\u03b5\u03bb\u03af\u03b4\u03b1 <a href=\"\/budgets\">\u03c0\u03c1\u03bf\u03cb\u03c0\u03bf\u03bb\u03bf\u03b3\u03b9\u03c3\u03bc\u03ce\u03bd<\/a>. \u039f\u03b9 \u03c0\u03c1\u03bf\u03cb\u03c0\u03bf\u03bb\u03bf\u03b3\u03b9\u03c3\u03bc\u03bf\u03af \u03c3\u03b1\u03c2 \u03b2\u03bf\u03b7\u03b8\u03bf\u03cd\u03bd \u03bd\u03b1 \u03b5\u03c0\u03b9\u03b2\u03bb\u03ad\u03c0\u03b5\u03c4\u03b5 \u03c4\u03b9\u03c2 \u03b4\u03b1\u03c0\u03ac\u03bd\u03b5\u03c2 \u03c3\u03b1\u03c2.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "\u039b\u03bf\u03b3\u03b1\u03c1\u03b9\u03b1\u03c3\u03bc\u03cc\u03c2 \u03c0\u03c1\u03bf\u03ad\u03bb\u03b5\u03c5\u03c3\u03b7\u03c2",
|
||||
"hidden_fields_preferences": "\u039c\u03c0\u03bf\u03c1\u03b5\u03af\u03c4\u03b5 \u03bd\u03b1 \u03b5\u03bd\u03b5\u03c1\u03b3\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03b5\u03c4\u03b5 \u03c0\u03b5\u03c1\u03b9\u03c3\u03c3\u03cc\u03c4\u03b5\u03c1\u03b5\u03c2 \u03b5\u03c0\u03b9\u03bb\u03bf\u03b3\u03ad\u03c2 \u03c3\u03c5\u03bd\u03b1\u03bb\u03bb\u03b1\u03b3\u03ce\u03bd \u03c3\u03c4\u03b9\u03c2 <a href=\"\/preferences\">\u03c1\u03c5\u03b8\u03bc\u03af\u03c3\u03b5\u03b9\u03c2<\/a>.",
|
||||
"destination_account": "\u039b\u03bf\u03b3\u03b1\u03c1\u03b9\u03b1\u03c3\u03bc\u03cc\u03c2 \u03c0\u03c1\u03bf\u03bf\u03c1\u03b9\u03c3\u03bc\u03bf\u03cd",
|
||||
@ -24,10 +25,11 @@
|
||||
"date": "\u0397\u03bc\u03b5\u03c1\u03bf\u03bc\u03b7\u03bd\u03af\u03b1",
|
||||
"tags": "\u0395\u03c4\u03b9\u03ba\u03ad\u03c4\u03b5\u03c2",
|
||||
"no_budget": "(\u03c7\u03c9\u03c1\u03af\u03c2 \u03c0\u03c1\u03bf\u03cb\u03c0\u03bf\u03bb\u03bf\u03b3\u03b9\u03c3\u03bc\u03cc)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "\u039a\u03b1\u03c4\u03b7\u03b3\u03bf\u03c1\u03af\u03b1",
|
||||
"attachments": "\u03a3\u03c5\u03bd\u03b7\u03bc\u03bc\u03ad\u03bd\u03b1",
|
||||
"notes": "\u03a3\u03b7\u03bc\u03b5\u03b9\u03ce\u03c3\u03b5\u03b9\u03c2",
|
||||
"external_uri": "External URI",
|
||||
"external_uri": "\u0395\u03be\u03c9\u03c4\u03b5\u03c1\u03b9\u03ba\u03cc URI",
|
||||
"update_transaction": "\u0395\u03bd\u03b7\u03bc\u03ad\u03c1\u03c9\u03c3\u03b7 \u03c3\u03c5\u03bd\u03b1\u03bb\u03bb\u03b1\u03b3\u03ae\u03c2",
|
||||
"after_update_create_another": "\u039c\u03b5\u03c4\u03ac \u03c4\u03b7\u03bd \u03b5\u03bd\u03b7\u03bc\u03ad\u03c1\u03c9\u03c3\u03b7, \u03b5\u03c0\u03b9\u03c3\u03c4\u03c1\u03ad\u03c8\u03c4\u03b5 \u03b5\u03b4\u03ce \u03b3\u03b9\u03b1 \u03bd\u03b1 \u03c3\u03c5\u03bd\u03b5\u03c7\u03af\u03c3\u03b5\u03c4\u03b5 \u03c4\u03b7\u03bd \u03b5\u03c0\u03b5\u03be\u03b5\u03c1\u03b3\u03b1\u03c3\u03af\u03b1.",
|
||||
"store_as_new": "\u0391\u03c0\u03bf\u03b8\u03ae\u03ba\u03b5\u03c5\u03c3\u03b7 \u03c9\u03c2 \u03bd\u03ad\u03b1 \u03c3\u03c5\u03bd\u03b1\u03bb\u03bb\u03b1\u03b3\u03ae \u03b1\u03bd\u03c4\u03af \u03b3\u03b9\u03b1 \u03b5\u03bd\u03b7\u03bc\u03ad\u03c1\u03c9\u03c3\u03b7.",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "\u0394\u03b5\u03bd \u03bc\u03c0\u03bf\u03c1\u03b5\u03af\u03c4\u03b5 \u03bd\u03b1 \u03c4\u03c1\u03bf\u03c0\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03b5\u03c4\u03b5 \u03c4\u03bf\u03bd \u03bb\u03bf\u03b3\u03b1\u03c1\u03b9\u03b1\u03c3\u03bc\u03cc \u03c0\u03c1\u03bf\u03bf\u03c1\u03b9\u03c3\u03bc\u03bf\u03cd \u03c3\u03b5 \u03bc\u03b9\u03b1 \u03c3\u03c5\u03bd\u03b1\u03bb\u03bb\u03b1\u03b3\u03ae \u03c4\u03b1\u03ba\u03c4\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7\u03c2.",
|
||||
"source_account_reconciliation": "\u0394\u03b5\u03bd \u03bc\u03c0\u03bf\u03c1\u03b5\u03af\u03c4\u03b5 \u03bd\u03b1 \u03c4\u03c1\u03bf\u03c0\u03bf\u03c0\u03bf\u03b9\u03ae\u03c3\u03b5\u03c4\u03b5 \u03c4\u03bf\u03bd \u03bb\u03bf\u03b3\u03b1\u03c1\u03b9\u03b1\u03c3\u03bc\u03cc \u03c0\u03c1\u03bf\u03ad\u03bb\u03b5\u03c5\u03c3\u03b7\u03c2 \u03c3\u03b5 \u03bc\u03b9\u03b1 \u03c3\u03c5\u03bd\u03b1\u03bb\u03bb\u03b1\u03b3\u03ae \u03c4\u03b1\u03ba\u03c4\u03bf\u03c0\u03bf\u03af\u03b7\u03c3\u03b7\u03c2.",
|
||||
"budget": "\u03a0\u03c1\u03bf\u03cb\u03c0\u03bf\u03bb\u03bf\u03b3\u03b9\u03c3\u03bc\u03cc\u03c2",
|
||||
"bill": "\u03a0\u03ac\u03b3\u03b9\u03bf \u03ad\u03be\u03bf\u03b4\u03bf",
|
||||
"you_create_withdrawal": "\u0394\u03b7\u03bc\u03b9\u03bf\u03c5\u03c1\u03b3\u03b5\u03af\u03c4\u03b5 \u03bc\u03b9\u03b1 \u03b1\u03bd\u03ac\u03bb\u03b7\u03c8\u03b7.",
|
||||
"you_create_transfer": "\u0394\u03b7\u03bc\u03b9\u03bf\u03c5\u03c1\u03b3\u03b5\u03af\u03c4\u03b5 \u03bc\u03b9\u03b1 \u03bc\u03b5\u03c4\u03b1\u03c6\u03bf\u03c1\u03ac.",
|
||||
"you_create_deposit": "\u0394\u03b7\u03bc\u03b9\u03bf\u03c5\u03c1\u03b3\u03b5\u03af\u03c4\u03b5 \u03bc\u03b9\u03b1 \u03ba\u03b1\u03c4\u03ac\u03b8\u03b5\u03c3\u03b7.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Transaction #{ID}<\/a> has been stored.",
|
||||
"transaction_journal_information": "Transaction information",
|
||||
"no_budget_pointer": "You seem to have no budgets yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Budgets can help you keep track of expenses.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Source account",
|
||||
"hidden_fields_preferences": "You can enable more transaction options in your <a href=\"\/preferences\">settings<\/a>.",
|
||||
"destination_account": "Destination account",
|
||||
@ -24,6 +25,7 @@
|
||||
"date": "Date",
|
||||
"tags": "Tags",
|
||||
"no_budget": "(no budget)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Category",
|
||||
"attachments": "Attachments",
|
||||
"notes": "Notes",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "You can't edit the destination account of a reconciliation transaction.",
|
||||
"source_account_reconciliation": "You can't edit the source account of a reconciliation transaction.",
|
||||
"budget": "Budget",
|
||||
"bill": "Bill",
|
||||
"you_create_withdrawal": "You're creating a withdrawal.",
|
||||
"you_create_transfer": "You're creating a transfer.",
|
||||
"you_create_deposit": "You're creating a deposit.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">La transacci\u00f3n #{ID}<\/a> ha sido guardada.",
|
||||
"transaction_journal_information": "Informaci\u00f3n de transacci\u00f3n",
|
||||
"no_budget_pointer": "Parece que a\u00fan no tiene presupuestos. Debe crear algunos en la p\u00e1gina <a href=\"\/budgets\">presupuestos<\/a>. Los presupuestos pueden ayudarle a realizar un seguimiento de los gastos.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Cuenta origen",
|
||||
"hidden_fields_preferences": "Puede habilitar m\u00e1s opciones de transacci\u00f3n en sus <a href=\"\/preferences\">ajustes <\/a>.",
|
||||
"destination_account": "Cuenta destino",
|
||||
@ -24,6 +25,7 @@
|
||||
"date": "Fecha",
|
||||
"tags": "Etiquetas",
|
||||
"no_budget": "(sin presupuesto)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Categoria",
|
||||
"attachments": "Archivos adjuntos",
|
||||
"notes": "Notas",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "No puede editar la cuenta de destino de una transacci\u00f3n de reconciliaci\u00f3n.",
|
||||
"source_account_reconciliation": "No puede editar la cuenta de origen de una transacci\u00f3n de reconciliaci\u00f3n.",
|
||||
"budget": "Presupuesto",
|
||||
"bill": "Factura",
|
||||
"you_create_withdrawal": "Est\u00e1 creando un retiro.",
|
||||
"you_create_transfer": "Est\u00e1 creando una transferencia.",
|
||||
"you_create_deposit": "Est\u00e1 creando un dep\u00f3sito.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Transaction #{ID}<\/a> has been stored.",
|
||||
"transaction_journal_information": "Tapahtumatiedot",
|
||||
"no_budget_pointer": "Sinulla ei n\u00e4ytt\u00e4isi olevan viel\u00e4 yht\u00e4\u00e4n budjettia. Sinun kannattaisi luoda niit\u00e4 <a href=\"\/budgets\">budjetit<\/a>-sivulla. Budjetit voivat auttaa sinua pit\u00e4m\u00e4\u00e4n kirjaa kuluistasi.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "L\u00e4hdetili",
|
||||
"hidden_fields_preferences": "Voit aktivoida lis\u00e4\u00e4 tapahtumavalintoja <a href=\"\/preferences\">asetuksissa<\/a>.",
|
||||
"destination_account": "Kohdetili",
|
||||
@ -24,6 +25,7 @@
|
||||
"date": "P\u00e4iv\u00e4m\u00e4\u00e4r\u00e4",
|
||||
"tags": "T\u00e4git",
|
||||
"no_budget": "(ei budjettia)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Kategoria",
|
||||
"attachments": "Liitteet",
|
||||
"notes": "Muistiinpanot",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "Et voi muokata t\u00e4sm\u00e4ytystapahtuman kohdetili\u00e4.",
|
||||
"source_account_reconciliation": "Et voi muokata t\u00e4sm\u00e4ytystapahtuman l\u00e4hdetili\u00e4.",
|
||||
"budget": "Budjetti",
|
||||
"bill": "Lasku",
|
||||
"you_create_withdrawal": "Olet luomassa nostoa.",
|
||||
"you_create_transfer": "Olet luomassa siirtoa.",
|
||||
"you_create_deposit": "Olet luomassa talletusta.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">L'op\u00e9ration n\u00b0{ID}<\/a> a \u00e9t\u00e9 enregistr\u00e9e.",
|
||||
"transaction_journal_information": "Informations sur les op\u00e9rations",
|
||||
"no_budget_pointer": "Vous semblez n\u2019avoir encore aucun budget. Vous devriez en cr\u00e9er un sur la page des <a href=\"\/budgets\">budgets<\/a>. Les budgets peuvent vous aider \u00e0 garder une trace des d\u00e9penses.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Compte source",
|
||||
"hidden_fields_preferences": "Vous pouvez activer plus d'options d'op\u00e9rations dans vos <a href=\"\/preferences\">param\u00e8tres<\/a>.",
|
||||
"destination_account": "Compte de destination",
|
||||
@ -24,10 +25,11 @@
|
||||
"date": "Date",
|
||||
"tags": "Tags",
|
||||
"no_budget": "(pas de budget)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Cat\u00e9gorie",
|
||||
"attachments": "Pi\u00e8ces jointes",
|
||||
"notes": "Notes",
|
||||
"external_uri": "External URI",
|
||||
"external_uri": "URI externe",
|
||||
"update_transaction": "Mettre \u00e0 jour l'op\u00e9ration",
|
||||
"after_update_create_another": "Apr\u00e8s la mise \u00e0 jour, revenir ici pour continuer l'\u00e9dition.",
|
||||
"store_as_new": "Enregistrer comme une nouvelle op\u00e9ration au lieu de mettre \u00e0 jour.",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "Vous ne pouvez pas modifier le compte de destination d'une op\u00e9ration de rapprochement.",
|
||||
"source_account_reconciliation": "Vous ne pouvez pas modifier le compte source d'une op\u00e9ration de rapprochement.",
|
||||
"budget": "Budget",
|
||||
"bill": "Facture",
|
||||
"you_create_withdrawal": "Vous saisissez une d\u00e9pense.",
|
||||
"you_create_transfer": "Vous saisissez un transfert.",
|
||||
"you_create_deposit": "Vous saisissez un d\u00e9p\u00f4t.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Transaction #{ID}<\/a> has been stored.",
|
||||
"transaction_journal_information": "Tranzakci\u00f3s inform\u00e1ci\u00f3k",
|
||||
"no_budget_pointer": "\u00dagy t\u0171nik, m\u00e9g nincsenek k\u00f6lts\u00e9gkeretek. K\u00f6lts\u00e9gkereteket a <a href=\"\/budgets\">k\u00f6lts\u00e9gkeretek<\/a> oldalon lehet l\u00e9trehozni. A k\u00f6lts\u00e9gkeretek seg\u00edtenek nyomon k\u00f6vetni a k\u00f6lts\u00e9geket.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Forr\u00e1s sz\u00e1mla",
|
||||
"hidden_fields_preferences": "A <a href=\"\/preferences\">be\u00e1ll\u00edt\u00e1sokban<\/a> t\u00f6bb tranzakci\u00f3s be\u00e1ll\u00edt\u00e1si lehet\u0151s\u00e9g is megadhat\u00f3.",
|
||||
"destination_account": "C\u00e9lsz\u00e1mla",
|
||||
@ -24,6 +25,7 @@
|
||||
"date": "D\u00e1tum",
|
||||
"tags": "C\u00edmk\u00e9k",
|
||||
"no_budget": "(nincs k\u00f6lts\u00e9gkeret)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Kateg\u00f3ria",
|
||||
"attachments": "Mell\u00e9kletek",
|
||||
"notes": "Megjegyz\u00e9sek",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "Nem lehet szerkeszteni egy egyeztetett tranzakci\u00f3 c\u00e9lsz\u00e1ml\u00e1j\u00e1t.",
|
||||
"source_account_reconciliation": "Nem lehet szerkeszteni egy egyeztetett tranzakci\u00f3 forr\u00e1ssz\u00e1ml\u00e1j\u00e1t.",
|
||||
"budget": "K\u00f6lts\u00e9gkeret",
|
||||
"bill": "Sz\u00e1mla",
|
||||
"you_create_withdrawal": "Egy k\u00f6lts\u00e9g l\u00e9trehoz\u00e1sa.",
|
||||
"you_create_transfer": "Egy \u00e1tutal\u00e1s l\u00e9trehoz\u00e1sa.",
|
||||
"you_create_deposit": "Egy bev\u00e9tel l\u00e9trehoz\u00e1sa.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Transaction #{ID}<\/a> has been stored.",
|
||||
"transaction_journal_information": "Informasi transaksi",
|
||||
"no_budget_pointer": "You seem to have no budgets yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Budgets can help you keep track of expenses.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Source account",
|
||||
"hidden_fields_preferences": "You can enable more transaction options in your <a href=\"\/preferences\">settings<\/a>.",
|
||||
"destination_account": "Destination account",
|
||||
@ -24,6 +25,7 @@
|
||||
"date": "Tanggal",
|
||||
"tags": "Tag",
|
||||
"no_budget": "(no budget)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Kategori",
|
||||
"attachments": "Lampiran",
|
||||
"notes": "Notes",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "You can't edit the destination account of a reconciliation transaction.",
|
||||
"source_account_reconciliation": "You can't edit the source account of a reconciliation transaction.",
|
||||
"budget": "Anggaran",
|
||||
"bill": "Tagihan",
|
||||
"you_create_withdrawal": "You're creating a withdrawal.",
|
||||
"you_create_transfer": "You're creating a transfer.",
|
||||
"you_create_deposit": "You're creating a deposit.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "La <a href=\"transactions\/show\/{ID}\">transazione #{ID}<\/a> \u00e8 stata salvata.",
|
||||
"transaction_journal_information": "Informazioni transazione",
|
||||
"no_budget_pointer": "Sembra che tu non abbia ancora dei budget. Dovresti crearne alcuni nella pagina dei <a href=\"\/budgets\">budget<\/a>. I budget possono aiutarti a tenere traccia delle spese.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Conto di origine",
|
||||
"hidden_fields_preferences": "Puoi abilitare maggiori opzioni per le transazioni nelle tue <a href=\"\/preferences\">impostazioni<\/a>.",
|
||||
"destination_account": "Conto destinazione",
|
||||
@ -24,10 +25,11 @@
|
||||
"date": "Data",
|
||||
"tags": "Etichette",
|
||||
"no_budget": "(nessun budget)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Categoria",
|
||||
"attachments": "Allegati",
|
||||
"notes": "Note",
|
||||
"external_uri": "External URI",
|
||||
"external_uri": "URI esterno",
|
||||
"update_transaction": "Aggiorna transazione",
|
||||
"after_update_create_another": "Dopo l'aggiornamento, torna qui per continuare la modifica.",
|
||||
"store_as_new": "Salva come nuova transazione invece di aggiornarla.",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "Non \u00e8 possibile modificare il conto di destinazione di una transazione di riconciliazione.",
|
||||
"source_account_reconciliation": "Non puoi modificare il conto di origine di una transazione di riconciliazione.",
|
||||
"budget": "Budget",
|
||||
"bill": "Bolletta",
|
||||
"you_create_withdrawal": "Stai creando un prelievo.",
|
||||
"you_create_transfer": "Stai creando un trasferimento.",
|
||||
"you_create_deposit": "Stai creando un deposito.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Transaction #{ID}<\/a> has been stored.",
|
||||
"transaction_journal_information": "Transaksjonsinformasjon",
|
||||
"no_budget_pointer": "You seem to have no budgets yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Budgets can help you keep track of expenses.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Source account",
|
||||
"hidden_fields_preferences": "You can enable more transaction options in your <a href=\"\/preferences\">settings<\/a>.",
|
||||
"destination_account": "Destination account",
|
||||
@ -24,6 +25,7 @@
|
||||
"date": "Dato",
|
||||
"tags": "Tagger",
|
||||
"no_budget": "(ingen budsjett)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Kategori",
|
||||
"attachments": "Vedlegg",
|
||||
"notes": "Notater",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "You can't edit the destination account of a reconciliation transaction.",
|
||||
"source_account_reconciliation": "You can't edit the source account of a reconciliation transaction.",
|
||||
"budget": "Busjett",
|
||||
"bill": "Regning",
|
||||
"you_create_withdrawal": "You're creating a withdrawal.",
|
||||
"you_create_transfer": "You're creating a transfer.",
|
||||
"you_create_deposit": "You're creating a deposit.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Transactie #{ID}<\/a> is opgeslagen.",
|
||||
"transaction_journal_information": "Transactieinformatie",
|
||||
"no_budget_pointer": "Je hebt nog geen budgetten. Maak er een aantal op de <a href=\"\/budgets\">budgetten<\/a>-pagina. Met budgetten kan je je uitgaven beter bijhouden.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Bronrekening",
|
||||
"hidden_fields_preferences": "Je kan meer transactieopties inschakelen in je <a href=\"\/preferences\">instellingen<\/a>.",
|
||||
"destination_account": "Doelrekening",
|
||||
@ -24,10 +25,11 @@
|
||||
"date": "Datum",
|
||||
"tags": "Tags",
|
||||
"no_budget": "(geen budget)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Categorie",
|
||||
"attachments": "Bijlagen",
|
||||
"notes": "Notities",
|
||||
"external_uri": "External URI",
|
||||
"external_uri": "Externe url",
|
||||
"update_transaction": "Update transactie",
|
||||
"after_update_create_another": "Na het opslaan terug om door te gaan met wijzigen.",
|
||||
"store_as_new": "Opslaan als nieuwe transactie ipv de huidige bij te werken.",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "Je kan de doelrekening van een afstemming niet wijzigen.",
|
||||
"source_account_reconciliation": "Je kan de bronrekening van een afstemming niet wijzigen.",
|
||||
"budget": "Budget",
|
||||
"bill": "Contract",
|
||||
"you_create_withdrawal": "Je maakt een uitgave.",
|
||||
"you_create_transfer": "Je maakt een overschrijving.",
|
||||
"you_create_deposit": "Je maakt inkomsten.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Transakcja #{ID}<\/a> zosta\u0142a zapisana.",
|
||||
"transaction_journal_information": "Informacje o transakcji",
|
||||
"no_budget_pointer": "Wygl\u0105da na to \u017ce nie masz jeszcze bud\u017cet\u00f3w. Powiniene\u015b utworzy\u0107 kilka na stronie <a href=\"\/budgets\">bud\u017cety<\/a>. Bud\u017cety mog\u0105 Ci pom\u00f3c \u015bledzi\u0107 wydatki.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Konto \u017ar\u00f3d\u0142owe",
|
||||
"hidden_fields_preferences": "Mo\u017cesz w\u0142\u0105czy\u0107 wi\u0119cej opcji transakcji w swoich <a href=\"\/preferences\">ustawieniach<\/a>.",
|
||||
"destination_account": "Konto docelowe",
|
||||
@ -24,10 +25,11 @@
|
||||
"date": "Data",
|
||||
"tags": "Tagi",
|
||||
"no_budget": "(brak bud\u017cetu)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Kategoria",
|
||||
"attachments": "Za\u0142\u0105czniki",
|
||||
"notes": "Notatki",
|
||||
"external_uri": "External URI",
|
||||
"external_uri": "Zewn\u0119trzne URI",
|
||||
"update_transaction": "Zaktualizuj transakcj\u0119",
|
||||
"after_update_create_another": "Po aktualizacji wr\u00f3\u0107 tutaj, aby kontynuowa\u0107 edycj\u0119.",
|
||||
"store_as_new": "Zapisz jako now\u0105 zamiast aktualizowa\u0107.",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "Nie mo\u017cesz edytowa\u0107 konta docelowego transakcji uzgadniania.",
|
||||
"source_account_reconciliation": "Nie mo\u017cesz edytowa\u0107 konta \u017ar\u00f3d\u0142owego transakcji uzgadniania.",
|
||||
"budget": "Bud\u017cet",
|
||||
"bill": "Rachunek",
|
||||
"you_create_withdrawal": "Tworzysz wydatek.",
|
||||
"you_create_transfer": "Tworzysz przelew.",
|
||||
"you_create_deposit": "Tworzysz wp\u0142at\u0119.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Transa\u00e7\u00e3o #{ID}<\/a> foi salva.",
|
||||
"transaction_journal_information": "Informa\u00e7\u00e3o da transa\u00e7\u00e3o",
|
||||
"no_budget_pointer": "Parece que voc\u00ea ainda n\u00e3o tem or\u00e7amentos. Voc\u00ea deve criar alguns na p\u00e1gina de <a href=\"\/budgets\">or\u00e7amentos<\/a>. Or\u00e7amentos podem ajud\u00e1-lo a manter o controle das despesas.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Conta origem",
|
||||
"hidden_fields_preferences": "Voc\u00ea pode ativar mais op\u00e7\u00f5es de transa\u00e7\u00f5es em suas <a href=\"\/preferences\">configura\u00e7\u00f5es<\/a>.",
|
||||
"destination_account": "Conta destino",
|
||||
@ -24,10 +25,11 @@
|
||||
"date": "Data",
|
||||
"tags": "Tags",
|
||||
"no_budget": "(sem or\u00e7amento)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Categoria",
|
||||
"attachments": "Anexos",
|
||||
"notes": "Notas",
|
||||
"external_uri": "External URI",
|
||||
"external_uri": "URI externo",
|
||||
"update_transaction": "Atualizar transa\u00e7\u00e3o",
|
||||
"after_update_create_another": "Depois de atualizar, retorne aqui para continuar editando.",
|
||||
"store_as_new": "Store as a new transaction instead of updating.",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "Voc\u00ea n\u00e3o pode editar a conta de origem de uma transa\u00e7\u00e3o de reconcilia\u00e7\u00e3o.",
|
||||
"source_account_reconciliation": "Voc\u00ea n\u00e3o pode editar a conta de origem de uma transa\u00e7\u00e3o de reconcilia\u00e7\u00e3o.",
|
||||
"budget": "Or\u00e7amento",
|
||||
"bill": "Fatura",
|
||||
"you_create_withdrawal": "Voc\u00ea est\u00e1 criando uma retirada.",
|
||||
"you_create_transfer": "Voc\u00ea est\u00e1 criando uma transfer\u00eancia.",
|
||||
"you_create_deposit": "Voc\u00ea est\u00e1 criando um deposito.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Tranzac\u021bia #{ID}<\/a> a fost stocat\u0103.",
|
||||
"transaction_journal_information": "Informa\u021bii despre tranzac\u021bii",
|
||||
"no_budget_pointer": "Se pare c\u0103 nu ave\u021bi \u00eenc\u0103 bugete. Ar trebui s\u0103 crea\u021bi c\u00e2teva pe pagina <a href=\"\/budgets\">bugete<\/a>. Bugetele v\u0103 pot ajuta s\u0103 \u021bine\u021bi eviden\u021ba cheltuielilor.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Contul surs\u0103",
|
||||
"hidden_fields_preferences": "Pute\u021bi activa mai multe op\u021biuni de tranzac\u021bie \u00een <a href=\"\/preferences\">set\u0103rile dvs<\/a>.",
|
||||
"destination_account": "Contul de destina\u021bie",
|
||||
@ -24,6 +25,7 @@
|
||||
"date": "Dat\u0103",
|
||||
"tags": "Etichete",
|
||||
"no_budget": "(nici un buget)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Categorie",
|
||||
"attachments": "Ata\u0219amente",
|
||||
"notes": "Noti\u021be",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "Nu pute\u021bi edita contul de destina\u021bie al unei tranzac\u021bii de reconciliere.",
|
||||
"source_account_reconciliation": "Nu pute\u021bi edita contul surs\u0103 al unei tranzac\u021bii de reconciliere.",
|
||||
"budget": "Buget",
|
||||
"bill": "Factur\u0103",
|
||||
"you_create_withdrawal": "Creezi o retragere.",
|
||||
"you_create_transfer": "Creezi un transfer.",
|
||||
"you_create_deposit": "Creezi un depozit.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">\u0422\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u044f #{ID}<\/a> \u0441\u043e\u0445\u0440\u0430\u043d\u0435\u043d\u0430.",
|
||||
"transaction_journal_information": "\u0418\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044f \u043e \u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u0438",
|
||||
"no_budget_pointer": "\u041f\u043e\u0445\u043e\u0436\u0435, \u0443 \u0432\u0430\u0441 \u043f\u043e\u043a\u0430 \u043d\u0435\u0442 \u0431\u044e\u0434\u0436\u0435\u0442\u043e\u0432. \u0412\u044b \u0434\u043e\u043b\u0436\u043d\u044b \u0441\u043e\u0437\u0434\u0430\u0442\u044c \u0438\u0445 \u0432 \u0440\u0430\u0437\u0434\u0435\u043b\u0435 <a href=\"\/budgets\">\u0411\u044e\u0434\u0436\u0435\u0442\u044b<\/a>. \u0411\u044e\u0434\u0436\u0435\u0442\u044b \u043c\u043e\u0433\u0443\u0442 \u043f\u043e\u043c\u043e\u0447\u044c \u0432\u0430\u043c \u043e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u0442\u044c \u0440\u0430\u0441\u0445\u043e\u0434\u044b.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "\u0421\u0447\u0451\u0442-\u0438\u0441\u0442\u043e\u0447\u043d\u0438\u043a",
|
||||
"hidden_fields_preferences": "\u0412\u044b \u043c\u043e\u0436\u0435\u0442\u0435 \u0432\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0431\u043e\u043b\u044c\u0448\u0435 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043e\u0432 \u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u0438 \u043d\u0430 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0435 <a href=\"\/preferences\">\u043d\u0430\u0441\u0442\u0440\u043e\u0435\u043a<\/a>.",
|
||||
"destination_account": "\u0421\u0447\u0451\u0442 \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u044f",
|
||||
@ -24,10 +25,11 @@
|
||||
"date": "\u0414\u0430\u0442\u0430",
|
||||
"tags": "\u041c\u0435\u0442\u043a\u0438",
|
||||
"no_budget": "(\u0432\u043d\u0435 \u0431\u044e\u0434\u0436\u0435\u0442\u0430)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "\u041a\u0430\u0442\u0435\u0433\u043e\u0440\u0438\u044f",
|
||||
"attachments": "\u0412\u043b\u043e\u0436\u0435\u043d\u0438\u044f",
|
||||
"notes": "\u0417\u0430\u043c\u0435\u0442\u043a\u0438",
|
||||
"external_uri": "External URI",
|
||||
"external_uri": "\u0412\u043d\u0435\u0448\u043d\u0438\u0439 URI",
|
||||
"update_transaction": "\u041e\u0431\u043d\u043e\u0432\u0438\u0442\u044c \u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u044e",
|
||||
"after_update_create_another": "\u041f\u043e\u0441\u043b\u0435 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f \u0432\u0435\u0440\u043d\u0438\u0442\u0435\u0441\u044c \u0441\u044e\u0434\u0430, \u0447\u0442\u043e\u0431\u044b \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c \u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435.",
|
||||
"store_as_new": "\u0421\u043e\u0445\u0440\u0430\u043d\u0438\u0442\u044c \u043a\u0430\u043a \u043d\u043e\u0432\u0443\u044e \u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u044e \u0432\u043c\u0435\u0441\u0442\u043e \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f.",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "\u0412\u044b \u043d\u0435 \u043c\u043e\u0436\u0435\u0442\u0435 \u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0441\u0447\u0451\u0442 \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u044f \u0434\u043b\u044f \u0441\u0432\u0435\u0440\u044f\u0435\u043c\u043e\u0439 \u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u0438.",
|
||||
"source_account_reconciliation": "\u0412\u044b \u043d\u0435 \u043c\u043e\u0436\u0435\u0442\u0435 \u0440\u0435\u0434\u0430\u043a\u0442\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0441\u0447\u0451\u0442-\u0438\u0441\u0442\u043e\u0447\u043d\u0438\u043a \u0434\u043b\u044f \u0441\u0432\u0435\u0440\u044f\u0435\u043c\u043e\u0439 \u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u0438.",
|
||||
"budget": "\u0411\u044e\u0434\u0436\u0435\u0442",
|
||||
"bill": "\u0421\u0447\u0451\u0442 \u043a \u043e\u043f\u043b\u0430\u0442\u0435",
|
||||
"you_create_withdrawal": "\u0412\u044b \u0441\u043e\u0437\u0434\u0430\u0451\u0442\u0435 \u0440\u0430\u0441\u0445\u043e\u0434.",
|
||||
"you_create_transfer": "\u0412\u044b \u0441\u043e\u0437\u0434\u0430\u0451\u0442\u0435 \u043f\u0435\u0440\u0435\u0432\u043e\u0434.",
|
||||
"you_create_deposit": "\u0412\u044b \u0441\u043e\u0437\u0434\u0430\u0451\u0442\u0435 \u0434\u043e\u0445\u043e\u0434.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Transaction #{ID}<\/a> has been stored.",
|
||||
"transaction_journal_information": "Transaktionsinformation",
|
||||
"no_budget_pointer": "Du verkar inte ha n\u00e5gra budgetar \u00e4n. Du b\u00f6r skapa n\u00e5gra p\u00e5 <a href=\"\/budgets\">budgetar<\/a>-sidan. Budgetar kan hj\u00e4lpa dig att h\u00e5lla reda p\u00e5 utgifter.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Fr\u00e5n konto",
|
||||
"hidden_fields_preferences": "You can enable more transaction options in your <a href=\"\/preferences\">settings<\/a>.",
|
||||
"destination_account": "Till konto",
|
||||
@ -24,6 +25,7 @@
|
||||
"date": "Datum",
|
||||
"tags": "Etiketter",
|
||||
"no_budget": "(ingen budget)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Kategori",
|
||||
"attachments": "Bilagor",
|
||||
"notes": "Noteringar",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "Du kan inte redigera destinationskontot f\u00f6r en avst\u00e4mningstransaktion.",
|
||||
"source_account_reconciliation": "Du kan inte redigera k\u00e4llkontot f\u00f6r en avst\u00e4mningstransaktion.",
|
||||
"budget": "Budget",
|
||||
"bill": "Nota",
|
||||
"you_create_withdrawal": "You're creating a withdrawal.",
|
||||
"you_create_transfer": "You're creating a transfer.",
|
||||
"you_create_deposit": "You're creating a deposit.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Transaction #{ID}<\/a> has been stored.",
|
||||
"transaction_journal_information": "\u0130\u015flem Bilgileri",
|
||||
"no_budget_pointer": "You seem to have no budgets yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Budgets can help you keep track of expenses.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Kaynak hesap",
|
||||
"hidden_fields_preferences": "You can enable more transaction options in your <a href=\"\/preferences\">settings<\/a>.",
|
||||
"destination_account": "Hedef hesap",
|
||||
@ -24,6 +25,7 @@
|
||||
"date": "Tarih",
|
||||
"tags": "Etiketler",
|
||||
"no_budget": "(no budget)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Kategori",
|
||||
"attachments": "Ekler",
|
||||
"notes": "Notlar",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "You can't edit the destination account of a reconciliation transaction.",
|
||||
"source_account_reconciliation": "You can't edit the source account of a reconciliation transaction.",
|
||||
"budget": "B\u00fct\u00e7e",
|
||||
"bill": "Fatura",
|
||||
"you_create_withdrawal": "You're creating a withdrawal.",
|
||||
"you_create_transfer": "You're creating a transfer.",
|
||||
"you_create_deposit": "You're creating a deposit.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\"> Giao d\u1ecbch #{ID}<\/a> \u0111\u00e3 \u0111\u01b0\u1ee3c l\u01b0u tr\u1eef.",
|
||||
"transaction_journal_information": "Th\u00f4ng tin giao d\u1ecbch",
|
||||
"no_budget_pointer": "B\u1ea1n d\u01b0\u1eddng nh\u01b0 ch\u01b0a c\u00f3 ng\u00e2n s\u00e1ch. B\u1ea1n n\u00ean t\u1ea1o m\u1ed9t c\u00e1i tr\u00ean <a href=\":link\">budgets<\/a>-page. Ng\u00e2n s\u00e1ch c\u00f3 th\u1ec3 gi\u00fap b\u1ea1n theo d\u00f5i chi ph\u00ed.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Ngu\u1ed3n t\u00e0i kho\u1ea3n",
|
||||
"hidden_fields_preferences": "B\u1ea1n c\u00f3 th\u1ec3 k\u00edch ho\u1ea1t th\u00eam t\u00f9y ch\u1ecdn giao d\u1ecbch trong <a href=\":link\">settings<\/a>.",
|
||||
"destination_account": "T\u00e0i kho\u1ea3n \u0111\u00edch",
|
||||
@ -24,6 +25,7 @@
|
||||
"date": "Ng\u00e0y",
|
||||
"tags": "Nh\u00e3n",
|
||||
"no_budget": "(kh\u00f4ng c\u00f3 ng\u00e2n s\u00e1ch)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "Danh m\u1ee5c",
|
||||
"attachments": "T\u1ec7p \u0111\u00ednh k\u00e8m",
|
||||
"notes": "Ghi ch\u00fa",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "B\u1ea1n kh\u00f4ng th\u1ec3 ch\u1ec9nh s\u1eeda t\u00e0i kho\u1ea3n \u0111\u00edch c\u1ee7a giao d\u1ecbch \u0111\u1ed1i chi\u1ebfu.",
|
||||
"source_account_reconciliation": "B\u1ea1n kh\u00f4ng th\u1ec3 ch\u1ec9nh s\u1eeda t\u00e0i kho\u1ea3n ngu\u1ed3n c\u1ee7a giao d\u1ecbch \u0111\u1ed1i chi\u1ebfu.",
|
||||
"budget": "Ng\u00e2n s\u00e1ch",
|
||||
"bill": "H\u00f3a \u0111\u01a1n",
|
||||
"you_create_withdrawal": "B\u1ea1n \u0111ang t\u1ea1o m\u1ed9t <strong>r\u00fat ti\u1ec1n<\/strong>.",
|
||||
"you_create_transfer": "B\u1ea1n \u0111ang t\u1ea1o m\u1ed9t <strong>chuy\u1ec3n kho\u1ea3n<\/strong>.",
|
||||
"you_create_deposit": "B\u1ea1n \u0111ang t\u1ea1o m\u1ed9t <strong>ti\u1ec1n g\u1eedi<\/strong>.",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Transaction #{ID}<\/a> has been stored.",
|
||||
"transaction_journal_information": "\u4ea4\u6613\u8d44\u8baf",
|
||||
"no_budget_pointer": "\u60a8\u4f3c\u4e4e\u8fd8\u6ca1\u6709\u4efb\u4f55\u9884\u7b97\u3002\u60a8\u5e94\u8be5\u5728 <a href=\"\/budgets\">\u9884\u7b97<\/a>\u9875\u9762\u4e0a\u521b\u5efa\u4ed6\u4eec\u3002\u9884\u7b97\u53ef\u4ee5\u5e2e\u52a9\u60a8\u8ddf\u8e2a\u8d39\u7528\u3002",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "\u6765\u6e90\u5e10\u6237",
|
||||
"hidden_fields_preferences": "\u60a8\u53ef\u4ee5\u5728 <a href=\"\/preferences\">\u8bbe\u7f6e<\/a>\u4e2d\u542f\u7528\u66f4\u591a\u7684\u4ea4\u6613\u9009\u9879\u3002",
|
||||
"destination_account": "\u76ee\u6807\u5e10\u6237",
|
||||
@ -24,6 +25,7 @@
|
||||
"date": "\u65e5\u671f",
|
||||
"tags": "\u6807\u7b7e",
|
||||
"no_budget": "(\u65e0\u9884\u7b97)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "\u5206\u7c7b",
|
||||
"attachments": "\u9644\u52a0\u6863\u6848",
|
||||
"notes": "\u6ce8\u91ca",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "\u60a8\u4e0d\u80fd\u7f16\u8f91\u5bf9\u8d26\u4ea4\u6613\u7684\u76ee\u6807\u8d26\u6237",
|
||||
"source_account_reconciliation": "\u60a8\u4e0d\u80fd\u7f16\u8f91\u5bf9\u8d26\u4ea4\u6613\u7684\u6e90\u8d26\u6237",
|
||||
"budget": "\u9884\u7b97",
|
||||
"bill": "\u5e10\u5355",
|
||||
"you_create_withdrawal": "\u60a8\u6b63\u5728\u521b\u5efa\u4e00\u4e2a\u63d0\u6b3e",
|
||||
"you_create_transfer": "\u60a8\u6b63\u5728\u521b\u5efa\u4e00\u4e2a\u8f6c\u8d26",
|
||||
"you_create_deposit": "\u60a8\u6b63\u5728\u521b\u5efa\u4e00\u4e2a\u5b58\u6b3e",
|
||||
|
@ -12,6 +12,7 @@
|
||||
"transaction_new_stored_link": "<a href=\"transactions\/show\/{ID}\">Transaction #{ID}<\/a> has been stored.",
|
||||
"transaction_journal_information": "\u4ea4\u6613\u8cc7\u8a0a",
|
||||
"no_budget_pointer": "You seem to have no budgets yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Budgets can help you keep track of expenses.",
|
||||
"no_bill_pointer": "You seem to have no bills yet. You should create some on the <a href=\"\/budgets\">budgets<\/a>-page. Bills can help you keep track of expenses.",
|
||||
"source_account": "Source account",
|
||||
"hidden_fields_preferences": "You can enable more transaction options in your <a href=\"\/preferences\">settings<\/a>.",
|
||||
"destination_account": "Destination account",
|
||||
@ -24,6 +25,7 @@
|
||||
"date": "\u65e5\u671f",
|
||||
"tags": "\u6a19\u7c64",
|
||||
"no_budget": "(\u7121\u9810\u7b97)",
|
||||
"no_bill": "(no bill)",
|
||||
"category": "\u5206\u985e",
|
||||
"attachments": "\u9644\u52a0\u6a94\u6848",
|
||||
"notes": "\u5099\u8a3b",
|
||||
@ -39,6 +41,7 @@
|
||||
"destination_account_reconciliation": "You can't edit the destination account of a reconciliation transaction.",
|
||||
"source_account_reconciliation": "You can't edit the source account of a reconciliation transaction.",
|
||||
"budget": "\u9810\u7b97",
|
||||
"bill": "\u5e33\u55ae",
|
||||
"you_create_withdrawal": "You're creating a withdrawal.",
|
||||
"you_create_transfer": "You're creating a transfer.",
|
||||
"you_create_deposit": "You're creating a deposit.",
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Úspěšně jste se zaregistrovali!',
|
||||
'Default asset account' => 'Výchozí účet s aktivy',
|
||||
'no_budget_pointer' => 'Zdá se, že zatím nemáte žádné rozpočty. Na stránce <a href=":link">rozpočty</a> byste nějaké měli vytvořit. Rozpočty mohou pomoci udržet si přehled ve výdajích.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Spořicí účet',
|
||||
'Credit card' => 'Kreditní karta',
|
||||
'source_accounts' => 'Source account|Source accounts',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'You cannot mass-edit other fields than the ones here, because there is no room to show them. Please follow the link and edit them by one-by-one, if you need to edit these fields.',
|
||||
'cannot_change_amount_reconciled' => 'You can\'t change the amount of reconciled transactions.',
|
||||
'no_budget' => '(žádný rozpočet)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Účty pro jednotlivé rozpočty',
|
||||
'account_per_category' => 'Účty pro jednotlivé kategorie',
|
||||
'create_new_object' => 'Create',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Vytvořené výběry',
|
||||
'created_deposits' => 'Vytvořené vklady',
|
||||
'created_transfers' => 'Vytvořené převody',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Created from recurring transaction ":title" (#:id)',
|
||||
'recurring_never_cron' => 'It seems the cron job that is necessary to support recurring transactions has never run. This is of course normal when you have just installed Firefly III, but this should be something to set up as soon as possible. Please check out the help-pages using the (?)-icon in the top right corner of the page.',
|
||||
'recurring_cron_long_ago' => 'It looks like it has been more than 36 hours since the cron job to support recurring transactions has fired for the last time. Are you sure it has been set up correctly? Please check out the help-pages using the (?)-icon in the top right corner of the page.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Příslušná pravidla',
|
||||
'active' => 'Aktivní?',
|
||||
'percentage' => 'pct.',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Příští splatnost',
|
||||
'transaction_type' => 'Typ',
|
||||
'lastActivity' => 'Poslední aktivita',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Sie haben sich erfolgreich registriert!',
|
||||
'Default asset account' => 'Standard-Bestandskonto',
|
||||
'no_budget_pointer' => 'Sie scheinen noch keine Kostenrahmen festgelegt zu haben. Sie sollten einige davon auf der Seite <a href="/budgets">„Kostenrahmen”</a> anlegen. Kostenrahmen können Ihnen dabei helfen, den Überblick über die Ausgaben zu behalten.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Sparkonto',
|
||||
'Credit card' => 'Kreditkarte',
|
||||
'source_accounts' => 'Quellkonto|Quellkonten',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Andere Felder als die hier gezeigten können Sie nicht gleichzeitig bearbeitet werden, da es keinen Platz gibt, diese anzuzeigen. Bitte folgen Sie dem Link und bearbeiten Sie die Felder einzeln, wenn Sie diese bearbeiten möchten.',
|
||||
'cannot_change_amount_reconciled' => 'Sie können den Betrag der abgeglichenen Buchungen nicht ändern.',
|
||||
'no_budget' => '(kein Budget)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Konto je Budget',
|
||||
'account_per_category' => 'Konto je Kategorie',
|
||||
'create_new_object' => 'Erstellen',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Erstellte Rückzahlungen',
|
||||
'created_deposits' => 'Erstellte Einzahlungen',
|
||||
'created_transfers' => 'Erstellte Überweisungen',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Erstellt aus Dauerauftrag „:title” (#:id)',
|
||||
'recurring_never_cron' => 'Es scheint, dass der Cron-Job, der notwendig ist, um wiederkehrende Buchungen zu unterstützen, nie ausgeführt wurde. Das ist natürlich normal, wenn Sie gerade Firefly III installiert haben, aber dies sollte so schnell wie möglich eingerichtet werden. Bitte besuchen Sie die Hilfeseiten über das ❓-Symbol in der oberen rechten Ecke der Seite.',
|
||||
'recurring_cron_long_ago' => 'Es sieht so aus, als wäre es mehr als 36 Stunden her, dass der Cron-Job zur Unterstützung wiederkehrender Buchungen zum letzten Mal ausgeführt wurde. Sind Sie sicher, dass es richtig eingestellt ist? Bitte schauen Sie sich die Hilfeseiten über dem ❓-Symbol oben rechts auf der Seite an.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Verlinkte Regeln',
|
||||
'active' => 'Aktiv?',
|
||||
'percentage' => '%',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Nächste Fälligkeit',
|
||||
'transaction_type' => 'Typ',
|
||||
'lastActivity' => 'Letzte Aktivität',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Έχετε εγγραφεί επιτυχώς!',
|
||||
'Default asset account' => 'Βασικός λογαριασμός κεφαλαίου',
|
||||
'no_budget_pointer' => 'Φαίνεται πως δεν έχετε ορίσει προϋπολογισμούς ακόμη. Πρέπει να δημιουργήσετε κάποιον στη σελίδα <a href="/budgets">προϋπολογισμών</a>. Οι προϋπολογισμοί σας βοηθούν να επιβλέπετε τις δαπάνες σας.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Λογαριασμός αποταμίευσης',
|
||||
'Credit card' => 'Πιστωτική κάρτα',
|
||||
'source_accounts' => 'Λογαριασμός προέλευσης|Λογαριασμοί προέλευσης',
|
||||
@ -619,12 +620,12 @@ return [
|
||||
'pref_optional_tj_internal_reference' => 'Εσωτερική αναφορά',
|
||||
'pref_optional_tj_notes' => 'Σημειώσεις',
|
||||
'pref_optional_tj_attachments' => 'Συνημμένα',
|
||||
'pref_optional_tj_external_uri' => 'External URI',
|
||||
'pref_optional_tj_external_uri' => 'Εξωτερικό URI',
|
||||
'optional_field_meta_dates' => 'Ημερομηνίες',
|
||||
'optional_field_meta_business' => 'Επιχείρηση',
|
||||
'optional_field_attachments' => 'Συνημμένα',
|
||||
'optional_field_meta_data' => 'Προαιρετικά μετα-δεδομένα',
|
||||
'external_uri' => 'External URI',
|
||||
'external_uri' => 'Εξωτερικό URI',
|
||||
|
||||
// profile:
|
||||
'delete_stuff_header' => 'Διαγραφή δεδομένων από το Firefly III',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Δεν μπορείτε να επεξεργαστείτε μαζικά άλλα πεδία εκτός από αυτά εδώ, γιατί δεν υπάρχει χώρος για να εμφανιστούν. Ακολουθήστε τον σύνδεσμο και επεξεργαστείτε τα μεμονωμένα, αν θέλετε να επεξεργαστείτε αυτά τα πεδία.',
|
||||
'cannot_change_amount_reconciled' => 'Δεν μπορείτε να αλλάξετε το ποσό σε τακτοποιημένες συναλλαγές.',
|
||||
'no_budget' => '(χωρίς προϋπολογισμό)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Λογαριασμός ανά προϋπολογισμό',
|
||||
'account_per_category' => 'Λογαριασμοί ανά κατηγορία',
|
||||
'create_new_object' => 'Δημιουργία',
|
||||
@ -1356,7 +1358,7 @@ return [
|
||||
'month' => 'Μήνας',
|
||||
'budget' => 'Προϋπολογισμός',
|
||||
'spent' => 'Δαπανήθηκαν',
|
||||
'spent_capped' => 'Spent (capped)',
|
||||
'spent_capped' => 'Δαπανήθηκαν (με όριο)',
|
||||
'spent_in_budget' => 'Δαπάνες ανά προϋπολογισμό',
|
||||
'left_to_spend' => 'Διαθέσιμα προϋπολογισμών',
|
||||
'earned' => 'Κερδήθηκαν',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Δημιουργήθηκαν αναλήψεις',
|
||||
'created_deposits' => 'Δημιουργήθηκαν καταθέσεις',
|
||||
'created_transfers' => 'Δημιουργήθηκαν μεταφορές',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Δημιουργήθηκε από την επαναλαμβανόμενη συναλλαγή ":title" (#:id)',
|
||||
'recurring_never_cron' => 'Φαίνεται ότι το cron job που είναι απαραίτητο για την υποστήριξη των επαναλαμβανόμενων συναλλαγών δεν έχει τρέξει ποτέ. Αυτό είναι φυσιολογικό εάν έχετε μόλις εγκαταστήσει το Firefly III, αλλά αυτό θα πρέπει να ρυθμιστεί το συντομότερο δυνατό. Ελέγξτε τις σελίδες βοήθειας χρησιμοποιώντας το εικονίδιο (?) στην επάνω δεξιά γωνία της σελίδας.',
|
||||
'recurring_cron_long_ago' => 'Φαίνεται ότι έχουν περάσει περισσότερες από 36 ώρες από τότε που το cron job για την υποστήριξη επαναλαμβανόμενων συναλλαγών έχει τρέξει για τελευταία φορά. Είστε βέβαιοι ότι έχει ρυθμιστεί σωστά; Ελέγξτε τις σελίδες βοήθειας χρησιμοποιώντας το εικονίδιο (?) στην επάνω δεξιά γωνία της σελίδας.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Σχετικοί κανόνες',
|
||||
'active' => 'Είναι ενεργό;',
|
||||
'percentage' => 'pct.',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Επόμενη προθεσμία',
|
||||
'transaction_type' => 'Τύπος',
|
||||
'lastActivity' => 'Τελευταία δραστηριότητα',
|
||||
@ -45,7 +46,7 @@ return [
|
||||
'account_type' => 'Τύπος λογαριασμού',
|
||||
'created_at' => 'Δημιουργήθηκε στις',
|
||||
'account' => 'Λογαριασμός',
|
||||
'external_uri' => 'External URI',
|
||||
'external_uri' => 'Εξωτερικό URI',
|
||||
'matchingAmount' => 'Ποσό',
|
||||
'destination' => 'Προορισμός',
|
||||
'source' => 'Προέλευση',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'You have registered successfully!',
|
||||
'Default asset account' => 'Default asset account',
|
||||
'no_budget_pointer' => 'You seem to have no budgets yet. You should create some on the <a href="/budgets">budgets</a>-page. Budgets can help you keep track of expenses.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Savings account',
|
||||
'Credit card' => 'Credit card',
|
||||
'source_accounts' => 'Source account|Source accounts',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'You cannot mass-edit other fields than the ones here, because there is no room to show them. Please follow the link and edit them by one-by-one, if you need to edit these fields.',
|
||||
'cannot_change_amount_reconciled' => 'You can\'t change the amount of reconciled transactions.',
|
||||
'no_budget' => '(no budget)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Account per budget',
|
||||
'account_per_category' => 'Account per category',
|
||||
'create_new_object' => 'Create',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Created withdrawals',
|
||||
'created_deposits' => 'Created deposits',
|
||||
'created_transfers' => 'Created transfers',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Created from recurring transaction ":title" (#:id)',
|
||||
'recurring_never_cron' => 'It seems the cron job that is necessary to support recurring transactions has never run. This is of course normal when you have just installed Firefly III, but this should be something to set up as soon as possible. Please check out the help-pages using the (?)-icon in the top right corner of the page.',
|
||||
'recurring_cron_long_ago' => 'It looks like it has been more than 36 hours since the cron job to support recurring transactions has fired for the last time. Are you sure it has been set up correctly? Please check out the help-pages using the (?)-icon in the top right corner of the page.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Relevant rules',
|
||||
'active' => 'Is active?',
|
||||
'percentage' => 'pct.',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Next due',
|
||||
'transaction_type' => 'Type',
|
||||
'lastActivity' => 'Last activity',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'You have registered successfully!',
|
||||
'Default asset account' => 'Default asset account',
|
||||
'no_budget_pointer' => 'You seem to have no budgets yet. You should create some on the <a href="/budgets">budgets</a>-page. Budgets can help you keep track of expenses.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Savings account',
|
||||
'Credit card' => 'Credit card',
|
||||
'source_accounts' => 'Source account|Source accounts',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'You cannot mass-edit other fields than the ones here, because there is no room to show them. Please follow the link and edit them by one-by-one, if you need to edit these fields.',
|
||||
'cannot_change_amount_reconciled' => 'You can\'t change the amount of reconciled transactions.',
|
||||
'no_budget' => '(no budget)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Account per budget',
|
||||
'account_per_category' => 'Account per category',
|
||||
'create_new_object' => 'Create',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => '¡Te has registrado con éxito!',
|
||||
'Default asset account' => 'Cuenta de ingresos por defecto',
|
||||
'no_budget_pointer' => 'Parece que aún no tiene presupuestos. Debe crear algunos en la página <a href="/budgets">presupuestos</a>. Los presupuestos pueden ayudarle a realizar un seguimiento de los gastos.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Cuenta de ahorros',
|
||||
'Credit card' => 'Tarjeta de crédito',
|
||||
'source_accounts' => 'Cuenta origen|Cuentas de origen',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Usted no puede editar en masa otros campos ademas de los que están aquí, porque no hay espacio para mostrarlos. siga el enlace y editelo uno a uno, si usted necesita editar estos campos.',
|
||||
'cannot_change_amount_reconciled' => 'No puede cambiar la cantidad de transacciones conciliadas.',
|
||||
'no_budget' => '(sin presupuesto)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Cuenta por presupuesto',
|
||||
'account_per_category' => 'Cuenta por categoría',
|
||||
'create_new_object' => 'Crear',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Extractos creadas',
|
||||
'created_deposits' => 'Depósitos creados',
|
||||
'created_transfers' => 'Transferencias creadas',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Creado a partir de transacción recurrente ":title" (#:id)',
|
||||
'recurring_never_cron' => 'Al parecer, el cron job necesario para realizar las transacciones recurrentes nunca se ejecutó. Esto es normal por supuesto, cuando acabas de instalar Firefly III pero, es algo que deberías configurar lo antes posible. Por favor, revisa las páginas de ayuda usando el ícono-(?) en la esquina derecha de la página.',
|
||||
'recurring_cron_long_ago' => 'Aparentemente han pasado mas de 36 horas desde que el cron job para dar soporte a las transacciones recurrentes se ha disparado por última vez. Está usted seguro que lo ha configurado correctamente? Por favor, revise las páginas de ayuda usando el ícono-(?) en la esquina derecha de la página.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Reglas asociadas',
|
||||
'active' => '¿Está Activo?',
|
||||
'percentage' => 'pct.',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Próxima vez',
|
||||
'transaction_type' => 'Tipo',
|
||||
'lastActivity' => 'Actividad más reciente',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Rekisteröitymisesi onnistui!',
|
||||
'Default asset account' => 'Oletusomaisuustili',
|
||||
'no_budget_pointer' => 'Sinulla ei näyttäisi olevan vielä yhtään budjettia. Sinun kannattaisi luoda niitä <a href="/budgets">budjetit</a>-sivulla. Budjetit voivat auttaa sinua pitämään kirjaa kuluistasi.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Säästötili',
|
||||
'Credit card' => 'Luottokortti',
|
||||
'source_accounts' => 'Lähdetili|Lähdetilit',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Et voi massamuuttaa tapahtumien muita kuin tässä näkyviä kenttiä, koska ne eivät mahdu ruudulle. Jos niitä täytyy kuitenkin muokata, seuraa linkkiä ja muokkaa niitä yksitellen.',
|
||||
'cannot_change_amount_reconciled' => 'Et voi muuttaa täsmäytettyjen tapahtumien summia.',
|
||||
'no_budget' => '(ei budjettia)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Tili per budjetti',
|
||||
'account_per_category' => 'Tili per kategoria',
|
||||
'create_new_object' => 'Luo',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Luodut nostot',
|
||||
'created_deposits' => 'Luodut talletukset',
|
||||
'created_transfers' => 'Luodut siirrot',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Luotu toistuvasta tapahtumasta ":title" (#:id)',
|
||||
'recurring_never_cron' => '"Cron" ajoitustapahtuma jota käytetään toistuvien tapahtumien suoritukseen ei ole kertaakaan käynnistynyt. Tämä on normaalia kun Firefly III:n asennus on uusi, mutta tämä kannattaisi korjata niin pian kuin suinkin. Lue opastus Cronin määrittämisestä (?)-ikonista sivun oikeasta yläkulmasta.',
|
||||
'recurring_cron_long_ago' => 'Näyttää siltä että toistuvia tapahtumia tukevan "Cron" prosessin edellisestä ajosta on kulunut yli 36 tuntia. Oletko varma että se on määritelty oikein? Lue ohjeet ohjesivuilta, löydät ne tämän sivun oikean yläkulman (?)-ikonin alta.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Linkitetty sääntöihin',
|
||||
'active' => 'Aktiivinen?',
|
||||
'percentage' => 'pros.',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Seuraava eräpäivä',
|
||||
'transaction_type' => 'Tyyppi',
|
||||
'lastActivity' => 'Viimeisin tapahtuma',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Vous avez été enregistré avec succès !',
|
||||
'Default asset account' => 'Compte d’actif par défaut',
|
||||
'no_budget_pointer' => 'Vous semblez n’avoir encore aucun budget. Vous devriez en créer un sur la page des <a href="/budgets">budgets</a>. Les budgets peuvent vous aider à garder une trace des dépenses.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Compte d’épargne',
|
||||
'Credit card' => 'Carte de Crédit',
|
||||
'source_accounts' => 'Compte source|Comptes source',
|
||||
@ -619,20 +620,20 @@ return [
|
||||
'pref_optional_tj_internal_reference' => 'Référence interne',
|
||||
'pref_optional_tj_notes' => 'Notes',
|
||||
'pref_optional_tj_attachments' => 'Pièces jointes',
|
||||
'pref_optional_tj_external_uri' => 'External URI',
|
||||
'pref_optional_tj_external_uri' => 'URI externe',
|
||||
'optional_field_meta_dates' => 'Dates',
|
||||
'optional_field_meta_business' => 'Commerce',
|
||||
'optional_field_attachments' => 'Pièces jointes',
|
||||
'optional_field_meta_data' => 'Métadonnées facultatives',
|
||||
'external_uri' => 'External URI',
|
||||
'external_uri' => 'URI externe',
|
||||
|
||||
// profile:
|
||||
'delete_stuff_header' => 'Supprimer des données de Firefly III',
|
||||
'permanent_delete_stuff' => 'Attention à ces boutons. Ce que vous supprimez l\'est de façon définitive.',
|
||||
'other_sessions_logged_out' => 'Toutes vos autres sessions ont été déconnectées.',
|
||||
'delete_all_budgets' => 'Supprimer TOUS vos budgets',
|
||||
'delete_all_categories' => 'Supprimer toutes vos catégories',
|
||||
'delete_all_tags' => 'Supprimer tous vos tags',
|
||||
'delete_all_categories' => 'Supprimer TOUTES vos catégories',
|
||||
'delete_all_tags' => 'Supprimer TOUS vos tags',
|
||||
'delete_all_bills' => 'Supprimer TOUTES vos factures',
|
||||
'delete_all_piggy_banks' => 'Supprimer TOUTES vos tirelires',
|
||||
'delete_all_rules' => 'Supprimer TOUTES vos règles',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Vous ne pouvez pas modifier en masse d\'autres champs que ceux-ci, car il n’y a pas de place pour tous les afficher. S’il vous plaît suivez le lien et modifiez les un par un si vous devez modifier ces champs.',
|
||||
'cannot_change_amount_reconciled' => 'Vous ne pouvez pas modifier le montant d\'opérations réconciliées.',
|
||||
'no_budget' => '(pas de budget)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Compte par budget',
|
||||
'account_per_category' => 'Compte par catégorie',
|
||||
'create_new_object' => 'Créer',
|
||||
@ -1242,7 +1244,7 @@ return [
|
||||
'interest_period_help' => 'Ce champ est purement cosmétique et ne sera pas calculé pour vous. Il se trouve que les banques ont chacune leur façon de faire et Firefly III ne fournira pas de bonne solution.',
|
||||
'store_new_liabilities_account' => 'Enregistrer un nouveau passif',
|
||||
'edit_liabilities_account' => 'Modifier le passif ":name"',
|
||||
'financial_control' => 'Contrôle financier',
|
||||
'financial_control' => 'Gestion des finances',
|
||||
'accounting' => 'Comptabilité',
|
||||
'automation' => 'Automatisation',
|
||||
'others' => 'Autres',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Retraits créés',
|
||||
'created_deposits' => 'Dépôts créés',
|
||||
'created_transfers' => 'Transferts créés',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Créé à partir de l\'opération périodique ":title" (#:id)',
|
||||
'recurring_never_cron' => 'Il semble que la tâche cron qui supporte les opérations périodiques n\'a jamais été exécutée. Ceci est normal si vous venez juste d\'installer Firefly III, mais pensez à la configurer dès que possible. Veuillez consulter la page d\'aide associée en cliquant sur l\'icône (?) en haut à droite de la page.',
|
||||
'recurring_cron_long_ago' => 'Il semble que la dernière exécution de la tâche cron supportant les opérations périodiques date de plus de 36 heures. Êtes-vous surs qu\'elle est configurée correctement ? Veuillez consulter la page d\'aide associée en cliquant sur l\'icône (?) en haut à droite de la page.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Règles applicables',
|
||||
'active' => 'Actif ?',
|
||||
'percentage' => 'pct.',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Prochaine échéance',
|
||||
'transaction_type' => 'Type',
|
||||
'lastActivity' => 'Activité récente',
|
||||
@ -45,7 +46,7 @@ return [
|
||||
'account_type' => 'Type de compte',
|
||||
'created_at' => 'Créé le',
|
||||
'account' => 'Compte',
|
||||
'external_uri' => 'External URI',
|
||||
'external_uri' => 'URI externe',
|
||||
'matchingAmount' => 'Montant',
|
||||
'destination' => 'Destination',
|
||||
'source' => 'Source',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'A regisztráció sikeres!',
|
||||
'Default asset account' => 'Alapértelmezett eszközszámla',
|
||||
'no_budget_pointer' => 'Úgy tűnik, még nincsenek költségkeretek. Költségkereteket a <a href="/budgets">költségkeretek</a> oldalon lehet létrehozni. A költségkeretek segítenek nyomon követni a költségeket.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Megtakarítási számla',
|
||||
'Credit card' => 'Hitelkártya',
|
||||
'source_accounts' => 'Source account|Source accounts',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Ezeken kívül nem lehet más mezőket tömegesen szerkeszteni, mert nincs elég hely a megjelenítésükhöz. Ha szerkeszteni kell ezeket a mezőket, a hivatkozás használatával lehet megtenni egyesével.',
|
||||
'cannot_change_amount_reconciled' => 'Egyeztetett tranzakciók összegét nem lehet módosítani.',
|
||||
'no_budget' => '(nincs költségkeret)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Számla költségkeret szerint',
|
||||
'account_per_category' => 'Számal kategória szerint',
|
||||
'create_new_object' => 'Létrehozás',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Létrehozott költségek',
|
||||
'created_deposits' => 'Létrehozott bevételek',
|
||||
'created_transfers' => 'Átvezetések létrehozva',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Létrehozva ":title" (#:id) ismétlődő tranzakcióból',
|
||||
'recurring_never_cron' => 'Az ismétlődő tranzakció funkcióhoz tartozó ütemezett feladat sosem futott még le. Ez normális jelenség, ha most Firefly III frissen lett telepítve, de ennek rövid időn belül változnia kellene. Ellenőrizd a súgóban a hibaelháítási lehetőségeket, a (?) gombra kattintva a jobb felső sarokban.',
|
||||
'recurring_cron_long_ago' => 'Úgy látszik, hogy több, mint 36 óra telt el a legutolsó ismétlődő tranzakciókat végrehajtó ütemezett feladat elindítása óta. Biztos vagy abban, hogy helyesen lett beállítva minden? Ellenőrizd a súgóban a hibaelháítási lehetőségeket, a (?) gombra kattintva a jobb felső sarokban.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Vonatkozó szabályok',
|
||||
'active' => 'Aktív?',
|
||||
'percentage' => '%',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Következő esedékesség',
|
||||
'transaction_type' => 'Típus',
|
||||
'lastActivity' => 'Utolsó aktivitás',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Anda telah berhasil mendaftar!',
|
||||
'Default asset account' => 'Akun aset standar',
|
||||
'no_budget_pointer' => 'You seem to have no budgets yet. You should create some on the <a href="/budgets">budgets</a>-page. Budgets can help you keep track of expenses.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Rekening tabungan',
|
||||
'Credit card' => 'Kartu kredit',
|
||||
'source_accounts' => 'Source account|Source accounts',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Anda tidak bisa menyunting bidang lain dari yang lain di sini, karena tidak ada ruang untuk ditunjukkan kepada mereka. Ikuti tautan dan edit dengan satu per satu, jika Anda perlu mengedit bidang ini.',
|
||||
'cannot_change_amount_reconciled' => 'You can\'t change the amount of reconciled transactions.',
|
||||
'no_budget' => '(no budget)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Account per budget',
|
||||
'account_per_category' => 'Account per category',
|
||||
'create_new_object' => 'Create',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Created withdrawals',
|
||||
'created_deposits' => 'Created deposits',
|
||||
'created_transfers' => 'Created transfers',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Created from recurring transaction ":title" (#:id)',
|
||||
'recurring_never_cron' => 'It seems the cron job that is necessary to support recurring transactions has never run. This is of course normal when you have just installed Firefly III, but this should be something to set up as soon as possible. Please check out the help-pages using the (?)-icon in the top right corner of the page.',
|
||||
'recurring_cron_long_ago' => 'It looks like it has been more than 36 hours since the cron job to support recurring transactions has fired for the last time. Are you sure it has been set up correctly? Please check out the help-pages using the (?)-icon in the top right corner of the page.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Aturan yang relevan',
|
||||
'active' => 'Aktif?',
|
||||
'percentage' => 'pct.',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Next due',
|
||||
'transaction_type' => 'Type',
|
||||
'lastActivity' => 'Aktifitas terakhir',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Ti sei registrato con successo!',
|
||||
'Default asset account' => 'Conto attività predefinito',
|
||||
'no_budget_pointer' => 'Sembra che tu non abbia ancora dei budget. Dovresti crearne alcuni nella pagina dei <a href="/budgets">budget</a>. I budget possono aiutarti a tenere traccia delle spese.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Conti risparmio',
|
||||
'Credit card' => 'Carta di credito',
|
||||
'source_accounts' => 'Conto origine|Conti origine',
|
||||
@ -619,12 +620,12 @@ return [
|
||||
'pref_optional_tj_internal_reference' => 'Riferimento interno',
|
||||
'pref_optional_tj_notes' => 'Note',
|
||||
'pref_optional_tj_attachments' => 'Allegati',
|
||||
'pref_optional_tj_external_uri' => 'External URI',
|
||||
'pref_optional_tj_external_uri' => 'URI esterno',
|
||||
'optional_field_meta_dates' => 'Dati',
|
||||
'optional_field_meta_business' => 'Attività commerciale',
|
||||
'optional_field_attachments' => 'Allegati',
|
||||
'optional_field_meta_data' => 'Metadati opzionali',
|
||||
'external_uri' => 'External URI',
|
||||
'external_uri' => 'URI esterno',
|
||||
|
||||
// profile:
|
||||
'delete_stuff_header' => 'Elimina i dati da Firefly III',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Non puoi modificare in blocco altri campi oltre a quelli presenti perché non c\'è spazio per mostrarli. Segui il link e modificali uno per uno se è necessario modificare questi campi.',
|
||||
'cannot_change_amount_reconciled' => 'Non puoi cambiare l\'importo delle transazioni riconciliate.',
|
||||
'no_budget' => '(nessun budget)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Conto per budget',
|
||||
'account_per_category' => 'Conto per categoria',
|
||||
'create_new_object' => 'Crea',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Prelievi creati',
|
||||
'created_deposits' => 'Depositi creati',
|
||||
'created_transfers' => 'Trasferimenti creati',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Creata dalla transazione ricorrente ":title" (#:id)',
|
||||
'recurring_never_cron' => 'Sembra che il job cron necessario per le transazioni ricorrenti non sia mai stato eseguito. Questo è ovviamente normale quando hai appena installato Firefly III, tuttavia dovrebbe essere impostato il prima possibile. Consulta le pagine di aiuto usando l\'icona (?) nell\'angolo in alto a destra della pagina.',
|
||||
'recurring_cron_long_ago' => 'Sembra che siano passate più di 36 ore dall\'ultima volta che il job cron per le transazioni ricorrenti sia stato lanciato. Sei sicuro che sia stato impostato correttamente? Consulta le pagine di aiuto usando l\'icona (?) nell\'angolo in alto a destra della pagina.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Regole rilevanti',
|
||||
'active' => 'Attivo',
|
||||
'percentage' => 'perc.',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Prossimo scadenza',
|
||||
'transaction_type' => 'Tipo',
|
||||
'lastActivity' => 'Ultima attività',
|
||||
@ -45,7 +46,7 @@ return [
|
||||
'account_type' => 'Tipo conto',
|
||||
'created_at' => 'Creato il',
|
||||
'account' => 'Conto',
|
||||
'external_uri' => 'External URI',
|
||||
'external_uri' => 'URI esterno',
|
||||
'matchingAmount' => 'Importo',
|
||||
'destination' => 'Destinazione',
|
||||
'source' => 'Origine',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Registreringen var vellykket!',
|
||||
'Default asset account' => 'Standard aktivakonto',
|
||||
'no_budget_pointer' => 'You seem to have no budgets yet. You should create some on the <a href="/budgets">budgets</a>-page. Budgets can help you keep track of expenses.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Sparekonto',
|
||||
'Credit card' => 'Kredittkort',
|
||||
'source_accounts' => 'Source account|Source accounts',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Du kan ikke masseredigere andre felt enn de som er her, fordi det er ikke plass til å vise dem. Vennligst følg linken og rediger disse en om gangen hvis du må redigere disse feltene.',
|
||||
'cannot_change_amount_reconciled' => 'You can\'t change the amount of reconciled transactions.',
|
||||
'no_budget' => '(ingen budsjett)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Account per budget',
|
||||
'account_per_category' => 'Account per category',
|
||||
'create_new_object' => 'Create',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Opprettede uttak',
|
||||
'created_deposits' => 'Opprettede innskudd',
|
||||
'created_transfers' => 'Opprettede overføringer',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Opprettet fra gjentakende transaksjon ":title" (#:id)',
|
||||
'recurring_never_cron' => 'Det synes at cron jobben som er nødvendig for å støtte gjentakende transaksjoner har aldri kjørt. Dette er selvfølgelig normalt når du nettopp har installert Firefly III, men dette bør settes opp så snart som mulig. Sjekk ut hjelp-sidene ved å bruke (?) -ikonet i øverste høyre hjørne på siden.',
|
||||
'recurring_cron_long_ago' => 'Det ser ut som det har gått mer enn 36 timer siden cron job\'en for å støtte gjentakende transaksjoner har kjørt. Er du sikker på at den er satt opp riktig? Sjekk ut hjelpe-sidene ved å bruke (?) -ikonet i øverste høyre hjørne på siden.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Relevante regler',
|
||||
'active' => 'Er aktiv?',
|
||||
'percentage' => 'pct.',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Next due',
|
||||
'transaction_type' => 'Type',
|
||||
'lastActivity' => 'Siste aktivitet',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Je bent geregistreerd!',
|
||||
'Default asset account' => 'Standaard betaalrekening',
|
||||
'no_budget_pointer' => 'Je hebt nog geen budgetten. Maak er een aantal op de <a href="/budgets">budgetten</a>-pagina. Met budgetten kan je je uitgaven beter bijhouden.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Spaarrekening',
|
||||
'Credit card' => 'Credit card',
|
||||
'source_accounts' => 'Bronrekening|Bronrekeningen',
|
||||
@ -624,7 +625,7 @@ return [
|
||||
'optional_field_meta_business' => 'Zakelijk',
|
||||
'optional_field_attachments' => 'Bijlagen',
|
||||
'optional_field_meta_data' => 'Optionele meta-gegevens',
|
||||
'external_uri' => 'External URI',
|
||||
'external_uri' => 'Externe url',
|
||||
|
||||
// profile:
|
||||
'delete_stuff_header' => 'Gegevens verwijderen uit Firefly III',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Je kan andere velden dan de velden die je hier ziet niet groepsgewijs wijzigen. Er is geen ruimte om ze te laten zien. Als je deze velden toch wilt wijzigen, volg dan de link naast de transactie en wijzig ze stuk voor stuk.',
|
||||
'cannot_change_amount_reconciled' => 'Je kan het bedrag van een afgestemde transactie niet aanpassen.',
|
||||
'no_budget' => '(geen budget)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Rekening per budget',
|
||||
'account_per_category' => 'Rekening per categorie',
|
||||
'create_new_object' => 'Opslaan',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Gemaakte uitgaven',
|
||||
'created_deposits' => 'Gemaakte inkomsten',
|
||||
'created_transfers' => 'Gemaakte overschrijvingen',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Gemaakt door periodieke transactie ":title" (#:id)',
|
||||
'recurring_never_cron' => 'Het lijkt er op dat je cronjob die nodig is voor periodieke transacties nog nooit gedraaid heeft. Niet zo gek natuurlijk als je Firefly III echt net geïnstalleerd hebt, maar denk eraan dat je dit regelt. Check de helppagina\'s via het (?)-icoontje rechtsboven.',
|
||||
'recurring_cron_long_ago' => 'Het lijkt er op dat het meer dan 36 uur geleden is sinds de cronjob heeft gedraaid die je nodig hebt voor het maken van periodieke transacties. Weet je zeker dat deze goed is ingesteld? Check de helppagina\'s onder het (?)-icoontje rechtsboven voor meer informatie.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Relevante regels',
|
||||
'active' => 'Actief?',
|
||||
'percentage' => 'pct',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Volgende',
|
||||
'transaction_type' => 'Type',
|
||||
'lastActivity' => 'Laatste activiteit',
|
||||
@ -45,7 +46,7 @@ return [
|
||||
'account_type' => 'Accounttype',
|
||||
'created_at' => 'Gemaakt op',
|
||||
'account' => 'Rekening',
|
||||
'external_uri' => 'External URI',
|
||||
'external_uri' => 'Externe ID',
|
||||
'matchingAmount' => 'Bedrag',
|
||||
'destination' => 'Doel',
|
||||
'source' => 'Bron',
|
||||
|
@ -24,28 +24,28 @@ declare(strict_types=1);
|
||||
|
||||
return [
|
||||
// common items
|
||||
'greeting' => 'Witaj,',
|
||||
'closing' => 'Beep boop,',
|
||||
'greeting' => 'Cześć,',
|
||||
'closing' => 'Jestę robotę',
|
||||
'signature' => 'Robot pocztowy Firefly III',
|
||||
'footer_ps' => 'PS: This message was sent because a request from IP :ipAddress triggered it.',
|
||||
'footer_ps' => 'PS: Ta wiadomość została wysłana, ponieważ została wywołana przez żądanie z adresu IP :ipAddress .',
|
||||
|
||||
// admin test
|
||||
'admin_test_subject' => 'Wiadomość testowa z twojej instalacji Firefly III',
|
||||
'admin_test_body' => 'This is a test message from your Firefly III instance. It was sent to :email.',
|
||||
'admin_test_body' => 'To jest wiadomość testowa z twojej instancji Firefly III. Została wysłana na :email.',
|
||||
|
||||
// access token created
|
||||
'access_token_created_subject' => 'Utworzono nowy token dostępu',
|
||||
'access_token_created_body' => 'Somebody (hopefully you) just created a new Firefly III API Access Token for your user account.',
|
||||
'access_token_created_explanation' => 'With this token, they can access <strong>all</strong> of your financial records through the Firefly III API.',
|
||||
'access_token_created_revoke' => 'If this wasn\'t you, please revoke this token as soon as possible at :url.',
|
||||
'access_token_created_body' => 'Ktoś (mam nadzieję, że Ty) właśnie utworzył nowy token dostępu API Firefly III dla Twojego konta użytkownika.',
|
||||
'access_token_created_explanation' => 'Z tym tokenem można uzyskać dostęp do <strong>wszystkich</strong> Twoich zapisów finansowych za pośrednictwem API Firefly III.',
|
||||
'access_token_created_revoke' => 'Jeśli to nie Ty, cofnij ten token tak szybko jak to możliwe pod adresem :url.',
|
||||
|
||||
// registered
|
||||
'registered_subject' => 'Witaj w Firefly III!',
|
||||
'registered_welcome' => 'Welcome to <a style="color:#337ab7" href=":address">Firefly III</a>. Your registration has made it, and this email is here to confirm it. Yay!',
|
||||
'registered_pw' => 'If you have forgotten your password already, please reset it using <a style="color:#337ab7" href=":address/password/reset">the password reset tool</a>.',
|
||||
'registered_help' => 'There is a help-icon in the top right corner of each page. If you need help, click it!',
|
||||
'registered_doc_html' => 'If you haven\'t already, please read the <a style="color:#337ab7" href="https://docs.firefly-iii.org/about-firefly-iii/grand-theory">grand theory</a>.',
|
||||
'registered_doc_text' => 'If you haven\'t already, please read the first use guide and the full description.',
|
||||
'registered_welcome' => 'Witaj w <a style="color:#337ab7" href=":address">Firefly III</a>. Twoja rejestracja już się powiodła, a ten e-mail jest tutaj, aby go potwierdzić. Super!',
|
||||
'registered_pw' => 'Jeśli zapomniałeś już swojego hasła, zresetuj je używając <a style="color:#337ab7" href=":address/password/reset">narzędzia do resetowania hasła</a>.',
|
||||
'registered_help' => 'W prawym górnym rogu każdej strony jest ikonka pomocy. Jeśli potrzebujesz pomocy, kliknij ją!',
|
||||
'registered_doc_html' => 'Jeśli jeszcze tego nie zrobiłeś, przeczytaj <a style="color:#337ab7" href="https://docs.firefly-iii.org/about-firefly-iii/grand-theory">wielką teorię</a>.',
|
||||
'registered_doc_text' => 'Jeśli jeszcze tego nie zrobiłeś, przeczytaj przewodnik pierwszego użycia i pełny opis.',
|
||||
'registered_closing' => 'Dobrej zabawy!',
|
||||
'registered_firefly_iii_link' => 'Firefly III:',
|
||||
'registered_pw_reset_link' => 'Resetowanie hasła:',
|
||||
@ -53,44 +53,44 @@ return [
|
||||
|
||||
// email change
|
||||
'email_change_subject' => 'Twój adres e-mail Firefly III został zmieniony',
|
||||
'email_change_body_to_new' => 'You or somebody with access to your Firefly III account has changed your email address. If you did not expect this message, please ignore and delete it.',
|
||||
'email_change_body_to_old' => 'You or somebody with access to your Firefly III account has changed your email address. If you did not expect this to happen, you <strong>must</strong> follow the "undo"-link below to protect your account!',
|
||||
'email_change_ignore' => 'If you initiated this change, you may safely ignore this message.',
|
||||
'email_change_body_to_new' => 'Ty lub ktoś z dostępem do Twojego konta Firefly III zmienił Twój adres e-mail. Jeśli spodziewałeś się tej wiadomości, zignoruj ją i usuń.',
|
||||
'email_change_body_to_old' => 'Ty lub ktoś z dostępem do Twojego konta Firefly III zmienił Twój adres e-mail. Jeśli nie oczekiwałeś, że tak się stanie, <strong>musisz</strong> postępuj zgodnie z poniższym linkiem "cofnij" aby chronić swoje konto!',
|
||||
'email_change_ignore' => 'Jeśli zainicjowałeś tę zmianę, możesz bezpiecznie zignorować tę wiadomość.',
|
||||
'email_change_old' => 'Stary adres e-mail to: :email',
|
||||
'email_change_old_strong' => 'Stary adres e-mail to: <strong>:email</strong>',
|
||||
'email_change_new' => 'Nowy adres e-mail to: :email',
|
||||
'email_change_new_strong' => 'Nowy adres e-mail to: <strong>:email</strong>',
|
||||
'email_change_instructions' => 'You cannot use Firefly III until you confirm this change. Please follow the link below to do so.',
|
||||
'email_change_instructions' => 'Nie możesz używać Firefly III, dopóki nie potwierdzisz tej zmiany. Kliknij poniższy link, aby to zrobić.',
|
||||
'email_change_undo_link' => 'Aby cofnąć zmianę, kliknij ten link:',
|
||||
|
||||
// OAuth token created
|
||||
'oauth_created_subject' => 'Nowy klient OAuth został utworzony',
|
||||
'oauth_created_body' => 'Somebody (hopefully you) just created a new Firefly III API OAuth Client for your user account. It\'s labeled ":name" and has callback URL <span style="font-family: monospace;">:url</span>.',
|
||||
'oauth_created_explanation' => 'With this client, they can access <strong>all</strong> of your financial records through the Firefly III API.',
|
||||
'oauth_created_undo' => 'If this wasn\'t you, please revoke this client as soon as possible at :url.',
|
||||
'oauth_created_body' => 'Ktoś (mam nadzieję, że Ty) właśnie utworzył nowego klienta API OAuth Firefly III dla Twojego konta użytkownika. Jest oznaczony ":name" i ma zwrotny adres URL <span style="font-family: monospace;">:url</span>.',
|
||||
'oauth_created_explanation' => 'Z tym klientem można uzyskać dostęp do <strong>wszystkich</strong> Twoich zapisów finansowych za pośrednictwem API Firefly III.',
|
||||
'oauth_created_undo' => 'Jeśli to nie Ty, cofnij tego klienta tak szybko jak to możliwe pod adresem :url.',
|
||||
|
||||
// reset password
|
||||
'reset_pw_subject' => 'Your password reset request',
|
||||
'reset_pw_instructions' => 'Somebody tried to reset your password. If it was you, please follow the link below to do so.',
|
||||
'reset_pw_warning' => '<strong>PLEASE</strong> verify that the link actually goes to the Firefly III you expect it to go!',
|
||||
'reset_pw_subject' => 'Żądanie zmiany hasła',
|
||||
'reset_pw_instructions' => 'Ktoś próbował zresetować hasło. Jeśli to Ty, kliknij poniższy link, aby to zrobić.',
|
||||
'reset_pw_warning' => '<strong>PROSZĘ</strong> sprawdź, czy link rzeczywiście przejdzie do Firefly III, którego oczekiwałeś!',
|
||||
|
||||
// error
|
||||
'error_subject' => 'Błąd w Firefly III',
|
||||
'error_intro' => 'Firefly III v:version ran into an error: <span style="font-family: monospace;">:errorMessage</span>.',
|
||||
'error_type' => 'The error was of type ":class".',
|
||||
'error_timestamp' => 'The error occurred on/at: :time.',
|
||||
'error_location' => 'This error occurred in file "<span style="font-family: monospace;">:file</span>" on line :line with code :code.',
|
||||
'error_user' => 'The error was encountered by user #:id, <a href="mailto::email">:email</a>.',
|
||||
'error_no_user' => 'There was no user logged in for this error or no user was detected.',
|
||||
'error_ip' => 'The IP address related to this error is: :ip',
|
||||
'error_url' => 'URL is: :url',
|
||||
'error_user_agent' => 'User agent: :userAgent',
|
||||
'error_stacktrace' => 'The full stacktrace is below. If you think this is a bug in Firefly III, you can forward this message to <a href="mailto:james@firefly-iii.org?subject=BUG!">james@firefly-iii.org</a>. This can help fix the bug you just encountered.',
|
||||
'error_github_html' => 'If you prefer, you can also open a new issue on <a href="https://github.com/firefly-iii/firefly-iii/issues">GitHub</a>.',
|
||||
'error_github_text' => 'If you prefer, you can also open a new issue on https://github.com/firefly-iii/firefly-iii/issues.',
|
||||
'error_stacktrace_below' => 'The full stacktrace is below:',
|
||||
'error_intro' => 'Firefly III v:version napotkał błąd: <span style="font-family: monospace;">:errorMessage</span>.',
|
||||
'error_type' => 'Błąd był typu ":class".',
|
||||
'error_timestamp' => 'Błąd wystąpił o: :time.',
|
||||
'error_location' => 'Błąd wystąpił w pliku "<span style="font-family: monospace;">:file</span>" linia :line z kodem :code.',
|
||||
'error_user' => 'Błąd został napotkany przez użytkownika #:id, <a href="mailto::email">:email</a>.',
|
||||
'error_no_user' => 'Dla tego błędu nie znaleziono zalogowanego użytkownika lub nie wykryto żadnego użytkownika.',
|
||||
'error_ip' => 'Adres IP związany z tym błędem to: :ip',
|
||||
'error_url' => 'Adres URL to: :url',
|
||||
'error_user_agent' => 'Agent użytkownika: :userAgent',
|
||||
'error_stacktrace' => 'Pełny opis błędu znajduje się poniżej. Jeśli uważasz, że jest to błąd w Firefly III, możesz przesłać tę wiadomość do <a href="mailto:james@firefly-iii.org?subject=BUG!">james@firefly-iii. rg</a>. To może pomóc naprawić napotkany właśnie błąd.',
|
||||
'error_github_html' => 'Jeśli wolisz, możesz również otworzyć nowy problem na <a href="https://github.com/firefly-iii/firefly-iii/issues">GitHub</a>.',
|
||||
'error_github_text' => 'Jeśli wolisz, możesz również otworzyć nowy problem na https://github.com/firefly-iii/firefly-iii/issues.',
|
||||
'error_stacktrace_below' => 'Pełny opis błędu znajduje się poniżej:',
|
||||
|
||||
// report new journals
|
||||
'new_journals_subject' => 'Firefly III has created a new transaction|Firefly III has created :count new transactions',
|
||||
'new_journals_header' => 'Firefly III has created a transaction for you. You can find it in your Firefly III installation:|Firefly III has created :count transactions for you. You can find them in your Firefly III installation:',
|
||||
'new_journals_subject' => 'Firefly III stworzył nową transakcję|Firefly III stworzył :count nowych transakcji',
|
||||
'new_journals_header' => 'Firefly III stworzył dla Ciebie transakcję. Możesz znaleźć ją w Firefly III:|Firefly III stworzył dla Ciebie transakcje :count. Możesz je znaleźć w Firefly III:',
|
||||
];
|
||||
|
@ -24,27 +24,27 @@ declare(strict_types=1);
|
||||
|
||||
return [
|
||||
'404_header' => 'Firefly III nie może znaleźć tej strony.',
|
||||
'404_page_does_not_exist' => 'The page you have requested does not exist. Please check that you have not entered the wrong URL. Did you make a typo perhaps?',
|
||||
'404_send_error' => 'If you were redirected to this page automatically, please accept my apologies. There is a mention of this error in your log files and I would be grateful if you sent me the error to me.',
|
||||
'404_github_link' => 'If you are sure this page should exist, please open a ticket on <strong><a href="https://github.com/firefly-iii/firefly-iii/issues">GitHub</a></strong>.',
|
||||
'404_page_does_not_exist' => 'Żądana strona nie istnieje. Sprawdź, czy nie wprowadziłeś nieprawidłowego adresu URL. Może zrobiłeś literówkę?',
|
||||
'404_send_error' => 'Jeśli zostałeś automatycznie przekierowany na tę stronę, proszę przyjmij moje przeprosiny. Błąd został zapisany w plikach dziennika i byłbym wdzięczny za wysłanie mi tego błędu.',
|
||||
'404_github_link' => 'Jeśli jesteś pewien, że ta strona powinna istnieć, otwórz zgłoszenie na <strong><a href="https://github.com/firefly-iii/firefly-iii/issues">GitHub</a></strong>.',
|
||||
'whoops' => 'Ups',
|
||||
'fatal_error' => 'There was a fatal error. Please check the log files in "storage/logs" or use "docker logs -f [container]" to see what\'s going on.',
|
||||
'fatal_error' => 'Wystąpił błąd krytyczny. Sprawdź pliki dziennika w "storage/logs" lub użyj "docker logs -f [container]", aby zobaczyć co się dzieje.',
|
||||
'maintenance_mode' => 'Firefly III jest w trybie konserwacji.',
|
||||
'be_right_back' => 'Zaraz wracam!',
|
||||
'check_back' => 'Firefly III jest wyłączony na potrzeby wymaganej konserwacji. Sprawdź ponownie za sekundę.',
|
||||
'error_occurred' => 'Ups! Wystąpił błąd.',
|
||||
'error_not_recoverable' => 'Unfortunately, this error was not recoverable :(. Firefly III broke. The error is:',
|
||||
'error_not_recoverable' => 'Niestety, nie mogliśmy się pozbierać po tym błędzie :(. Firefly III się popsuło. Błąd to:',
|
||||
'error' => 'Błąd',
|
||||
'error_location' => 'This error occured in file <span style="font-family: monospace;">:file</span> on line :line with code :code.',
|
||||
'error_location' => 'Błąd wystąpił w pliku <span style="font-family: monospace;">:file</span> linia :line z kodem :code.',
|
||||
'stacktrace' => 'Ślad stosu',
|
||||
'more_info' => 'Więcej informacji',
|
||||
'collect_info' => 'Please collect more information in the <code>storage/logs</code> directory where you will find log files. If you\'re running Docker, use <code>docker logs -f [container]</code>.',
|
||||
'collect_info_more' => 'You can read more about collecting error information in <a href="https://docs.firefly-iii.org/faq/other#how-do-i-enable-debug-mode">the FAQ</a>.',
|
||||
'collect_info' => 'Więcej informacji znajdziesz w katalogu <code>storage/logs</code>, w który zawiera pliki dziennika. Jeśli używasz Docker, użyj <code>dzienników docker -f [container]</code>.',
|
||||
'collect_info_more' => 'Więcej informacji o zbieraniu informacji o błędach możesz znaleźć w <a href="https://docs.firefly-iii.org/faq/other#how-do-i-enable-debug-mode">FAQ</a>.',
|
||||
'github_help' => 'Uzyskaj pomoc na GitHub',
|
||||
'github_instructions' => 'You\'re more than welcome to open a new issue <strong><a href="https://github.com/firefly-iii/firefly-iii/issues">on GitHub</a></strong>.',
|
||||
'github_instructions' => 'Możesz otworzyć nowy problem <strong><a href="https://github.com/firefly-iii/firefly-iii/issues">na GitHub</a></strong>.',
|
||||
'use_search' => 'Użyj wyszukiwania!',
|
||||
'include_info' => 'Include the information <a href=":link">from this debug page</a>.',
|
||||
'tell_more' => 'Tell us more than "it says Whoops!"',
|
||||
'include_info' => 'Dołącz informacje <a href=":link">z tej strony debugowania</a>.',
|
||||
'tell_more' => 'Powiedz nam więcej niż "Nie działa!"',
|
||||
'include_logs' => 'Dołącz dzienniki błędów (patrz powyżej).',
|
||||
'what_did_you_do' => 'Powiedz nam, co robisz.',
|
||||
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Zarejestrowałeś się pomyślnie!',
|
||||
'Default asset account' => 'Domyślne konto aktywów',
|
||||
'no_budget_pointer' => 'Wygląda na to że nie masz jeszcze budżetów. Powinieneś utworzyć kilka na stronie <a href="/budgets">budżety</a>. Budżety mogą Ci pomóc śledzić wydatki.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Konto oszczędnościowe',
|
||||
'Credit card' => 'Karta kredytowa',
|
||||
'source_accounts' => 'Konto źródłowe | Konta źródłowe',
|
||||
@ -619,20 +620,20 @@ return [
|
||||
'pref_optional_tj_internal_reference' => 'Wewnętrzny numer',
|
||||
'pref_optional_tj_notes' => 'Notatki',
|
||||
'pref_optional_tj_attachments' => 'Załączniki',
|
||||
'pref_optional_tj_external_uri' => 'External URI',
|
||||
'pref_optional_tj_external_uri' => 'Zewnętrzne URI',
|
||||
'optional_field_meta_dates' => 'Daty',
|
||||
'optional_field_meta_business' => 'Biznesowe',
|
||||
'optional_field_attachments' => 'Załączniki',
|
||||
'optional_field_meta_data' => 'Opcjonalne metadane',
|
||||
'external_uri' => 'External URI',
|
||||
'external_uri' => 'Zewnętrzne URI',
|
||||
|
||||
// profile:
|
||||
'delete_stuff_header' => 'Usuń dane z Firefly III',
|
||||
'permanent_delete_stuff' => 'Uważaj z tymi przyciskami. Usuwanie rzeczy jest trwałe.',
|
||||
'other_sessions_logged_out' => 'All your other sessions have been logged out.',
|
||||
'delete_all_budgets' => 'Skasuj WSZYSTKIE budżety',
|
||||
'delete_all_categories' => 'Skasuj WSZYSTKIE kategorie',
|
||||
'delete_all_tags' => 'Skasuj WSZYSTKIE tagi',
|
||||
'other_sessions_logged_out' => 'Wszystkie twoje inne sesje zostały wylogowane.',
|
||||
'delete_all_budgets' => 'Usuń WSZYSTKIE budżety',
|
||||
'delete_all_categories' => 'Usuń WSZYSTKIE kategorie',
|
||||
'delete_all_tags' => 'Usuń WSZYSTKIE tagi',
|
||||
'delete_all_bills' => 'Usuń WSZYSTKIE rachunki',
|
||||
'delete_all_piggy_banks' => 'Usuń WSZYSTKIE skarbonki',
|
||||
'delete_all_rules' => 'Usuń WSZYSTKIE reguły',
|
||||
@ -782,14 +783,14 @@ return [
|
||||
'convert_please_set_asset_destination' => 'Proszę wybierz konto aktywów, do którego będą wychodzić pieniądze.',
|
||||
'convert_please_set_expense_destination' => 'Proszę wybierz konto wydatków, do którego będą wychodzić pieniądze.',
|
||||
'convert_please_set_asset_source' => 'Proszę wybierz konto aktywów, z którego będą przychodzić pieniądze.',
|
||||
'convert_expl_w_d' => 'When converting from a withdrawal to a deposit, the money will be deposited into the displayed destination account, instead of being withdrawn from it.|When converting from a withdrawal to a deposit, the money will be deposited into the displayed destination accounts, instead of being withdrawn from them.',
|
||||
'convert_expl_w_t' => 'When converting a withdrawal into a transfer, the money will be transferred away from the source account into other asset or liability account instead of being spent on the original expense account.|When converting a withdrawal into a transfer, the money will be transferred away from the source accounts into other asset or liability accounts instead of being spent on the original expense accounts.',
|
||||
'convert_expl_w_d' => 'Podczas konwersji z wypłaty na wpłatę pieniądze zostaną wpłacone na wyświetlane konto docelowe, a nie wycofane z niego.|Podczas konwersji z wypłaty na wpłatę pieniądze zostaną wpłacone na wyświetlane konta docelowe, a nie wycofane z nich.',
|
||||
'convert_expl_w_t' => 'Podczas konwersji wypłaty na przelew, środki zostaną przeniesione z rachunku źródłowego na inny rachunek aktywów lub zobowiązań zamiast być wydane na oryginalnym koncie wydatków.|Podczas konwersji wypłaty na przelew, środki zostaną przeniesione z rachunków źródłowych na inne rachunki aktywów lub zobowiązań zamiast być wydane na oryginalnych kontach wydatków.',
|
||||
'convert_expl_d_w' => 'When converting a deposit into a withdrawal, the money will be withdrawn from the displayed source account, instead of being deposited into it.|When converting a deposit into a withdrawal, the money will be withdrawn from the displayed source accounts, instead of being deposited into them.',
|
||||
'convert_expl_d_t' => 'When you convert a deposit into a transfer, the money will be deposited into the listed destination account from any of your asset or liability account.|When you convert a deposit into a transfer, the money will be deposited into the listed destination accounts from any of your asset or liability accounts.',
|
||||
'convert_expl_t_w' => 'When you convert a transfer into a withdrawal, the money will be spent on the destination account you set here, instead of being transferred away.|When you convert a transfer into a withdrawal, the money will be spent on the destination accounts you set here, instead of being transferred away.',
|
||||
'convert_expl_t_d' => 'When you convert a transfer into a deposit, the money will be deposited into the destination account you see here, instead of being transferred into it.|When you convert a transfer into a deposit, the money will be deposited into the destination accounts you see here, instead of being transferred into them.',
|
||||
'convert_select_sources' => 'To complete the conversion, please set the new source account below.|To complete the conversion, please set the new source accounts below.',
|
||||
'convert_select_destinations' => 'To complete the conversion, please select the new destination account below.|To complete the conversion, please select the new destination accounts below.',
|
||||
'convert_select_sources' => 'Aby zakończyć konwersję, proszę ustawić nowe konto źródłowe.|Aby zakończyć konwersję, ustaw nowe konta źródłowe.',
|
||||
'convert_select_destinations' => 'Aby zakończyć konwersję, wybierz nowe konto docelowe poniżej.|Aby zakończyć konwersję, wybierz nowe konta docelowe poniżej.',
|
||||
'converted_to_Withdrawal' => 'Transakcja została przekonwertowana do wypłaty',
|
||||
'converted_to_Deposit' => 'Transakcja została przekonwertowana do wpłaty',
|
||||
'converted_to_Transfer' => 'Transakcja została przekonwertowana do transferu',
|
||||
@ -820,11 +821,11 @@ return [
|
||||
'cannot_disable_currency_last_left' => 'Nie można wyłączyć :name, ponieważ jest to ostatnia włączona waluta.',
|
||||
'cannot_disable_currency_account_meta' => 'Nie można wyłączyć :name ponieważ jest użyte na kontach aktywów.',
|
||||
'cannot_disable_currency_bills' => 'Nie można wyłączyć :name ponieważ jest użyte w rachunkach.',
|
||||
'cannot_disable_currency_recurring' => 'Cannot disable :name because it is used in recurring transactions.',
|
||||
'cannot_disable_currency_recurring' => 'Nie można wyłączyć :name ponieważ jest użyte w transakcjach cyklicznych.',
|
||||
'cannot_disable_currency_available_budgets' => 'Nie można wyłączyć :name ponieważ jest użyte w dostępnych budżetach.',
|
||||
'cannot_disable_currency_budget_limits' => 'Cannot disable :name because it is used in budget limits.',
|
||||
'cannot_disable_currency_current_default' => 'Cannot disable :name because it is the current default currency.',
|
||||
'cannot_disable_currency_system_fallback' => 'Cannot disable :name because it is the system default currency.',
|
||||
'cannot_disable_currency_budget_limits' => 'Nie można wyłączyć :name ponieważ jest użyte w budżetach.',
|
||||
'cannot_disable_currency_current_default' => 'Nie można wyłączyć :name ponieważ jest to bieżąca waluta domyślna.',
|
||||
'cannot_disable_currency_system_fallback' => 'Nie można wyłączyć :name ponieważ jest to waluta domyślna systemu.',
|
||||
'disable_EUR_side_effects' => 'Euro jest awaryjną walutą w systemie. Deaktywacja może mieć nieprzewidziane skutki i może spowodować wygaśnięcie gwarancji.',
|
||||
'deleted_currency' => 'Waluta :name została usunięta',
|
||||
'created_currency' => 'Waluta :name została utworzona',
|
||||
@ -866,7 +867,7 @@ return [
|
||||
'invalid_amount' => 'Proszę podać kwotę',
|
||||
'set_ab' => 'Dostępna kwota budżetu została ustalona',
|
||||
'updated_ab' => 'Dostępna kwota budżetu została zaktualizowana',
|
||||
'deleted_ab' => 'The available budget amount has been deleted',
|
||||
'deleted_ab' => 'Dostępna kwota budżetu została usunięta',
|
||||
'deleted_bl' => 'Zabudżetowana kwota została usunięta',
|
||||
'alt_currency_ab_create' => 'Ustaw dostępny budżet w innej walucie',
|
||||
'bl_create_btn' => 'Ustaw budżet w innej walucie',
|
||||
@ -879,8 +880,8 @@ return [
|
||||
'update_amount' => 'Aktualizuj kwotę',
|
||||
'update_budget' => 'Aktualizuj budżet',
|
||||
'update_budget_amount_range' => 'Zaktualizuj (spodziewaną) dostępną kwotę między :start a :end',
|
||||
'set_budget_limit_title' => 'Set budgeted amount for budget :budget between :start and :end',
|
||||
'set_budget_limit' => 'Set budgeted amount',
|
||||
'set_budget_limit_title' => 'Ustaw zabudżetową kwotę dla budżetu :budget pomiędzy :start i :end',
|
||||
'set_budget_limit' => 'Ustaw zabudżetowaną kwotę',
|
||||
'budget_period_navigator' => 'Nawigator okresowy',
|
||||
'info_on_available_amount' => 'Co mam do dyspozycji?',
|
||||
'available_amount_indication' => 'Skorzystaj z tych kwot, aby uzyskać wskazówkę ile może wynosić Twój całkowity budżet.',
|
||||
@ -890,8 +891,8 @@ return [
|
||||
'transferred_in' => 'Przesłane (do)',
|
||||
'transferred_away' => 'Przesłane (od)',
|
||||
'auto_budget_none' => 'Brak automatycznego budżetu',
|
||||
'auto_budget_reset' => 'Set a fixed amount every period',
|
||||
'auto_budget_rollover' => 'Add an amount every period',
|
||||
'auto_budget_reset' => 'Ustaw stałą kwotę w każdym okresie',
|
||||
'auto_budget_rollover' => 'Dodaj kwotę w każdym okresie',
|
||||
'auto_budget_period_daily' => 'Dziennie',
|
||||
'auto_budget_period_weekly' => 'Tygodniowo',
|
||||
'auto_budget_period_monthly' => 'Miesięcznie',
|
||||
@ -924,7 +925,7 @@ return [
|
||||
'store_new_bill' => 'Zapisz nowy rachunek',
|
||||
'stored_new_bill' => 'Zapisano nowy rachunek ":name"',
|
||||
'cannot_scan_inactive_bill' => 'Nieaktywne rachunki nie mogą być zeskanowane.',
|
||||
'rescanned_bill' => 'Rescanned everything, and linked :count transaction to the bill.|Rescanned everything, and linked :count transactions to the bill.',
|
||||
'rescanned_bill' => 'Przeskanowano wszystko i połączono :count transakcję z rachunkiem.|Przeskanowano wszystko i połączono :count transakcji z rachunkiem.',
|
||||
'average_bill_amount_year' => 'Średnia kwota rachunku (:year)',
|
||||
'average_bill_amount_overall' => 'Średnia kwota rachunku (ogólnie)',
|
||||
'bill_is_active' => 'Rachunek jest aktywny',
|
||||
@ -933,11 +934,11 @@ return [
|
||||
'skips_over' => 'pomija',
|
||||
'bill_store_error' => 'Wystąpił nieoczekiwany błąd podczas zapisywania nowego rachunku. Sprawdź pliki dziennika',
|
||||
'list_inactive_rule' => 'nieaktywna reguła',
|
||||
'bill_edit_rules' => 'Firefly III will attempt to edit the rule related to this bill as well. If you\'ve edited this rule yourself however, Firefly III won\'t change anything.|Firefly III will attempt to edit the :count rules related to this bill as well. If you\'ve edited these rules yourself however, Firefly III won\'t change anything.',
|
||||
'bill_edit_rules' => 'Firefly III spróbuje edytować regułę związaną z tym rachunkiem. Jeśli jednak reguła była edytowana przez Ciebie, Firefly III nic nie zmieni. Firefly III spróbuje edytować reguły :count również związane z tym rachunkiem. Jeśli jednak reguły były edytowane przez Ciebie, Firefly III nic nie zmieni.',
|
||||
'bill_expected_date' => 'Oczekiwane :date',
|
||||
|
||||
// accounts:
|
||||
'inactive_account_link' => 'You have :count inactive (archived) account, which you can view on this separate page.|You have :count inactive (archived) accounts, which you can view on this separate page.',
|
||||
'inactive_account_link' => 'Masz :count nieaktywne (zarchiwizowane) konto, które możesz zobaczyć na tej stronie.|Masz :count nieaktywnych (zarchiwizowanych) kont, które możesz zobaczyć na tej stronie.',
|
||||
'all_accounts_inactive' => 'To są twoje nieaktywne konta.',
|
||||
'active_account_link' => 'Ten link wraca do Twoich aktywnych kont.',
|
||||
'account_missing_transaction' => 'Konto #:id (":name") nie możne być wyświetlone bezpośrednio, ale Firefly Iii nie ma informacji przekierowania.',
|
||||
@ -999,7 +1000,7 @@ return [
|
||||
'cash' => 'gotówka',
|
||||
'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' => 'Save this transaction by moving it to another account:|Save these transactions by moving them to another account:',
|
||||
'save_transactions_by_moving' => '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',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Nie możesz masowo modyfikować innych pól niż te tutaj, ponieważ nie ma miejsca, aby je pokazać. Proszę użyć ikony edycji i edytować je jedno po drugim, jeśli chcesz edytować te pola.',
|
||||
'cannot_change_amount_reconciled' => 'Nie możesz zmienić wartości uzgodnionych transakcji.',
|
||||
'no_budget' => '(brak budżetu)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Konto wg. budżetu',
|
||||
'account_per_category' => 'Konto wg. kategorii',
|
||||
'create_new_object' => 'Utwórz',
|
||||
@ -1118,8 +1120,8 @@ return [
|
||||
'tag' => 'Tag',
|
||||
'no_budget_squared' => '(brak budżetu)',
|
||||
'perm-delete-many' => 'Usunięcie wielu elementów w jednym podejściu może być bardzo poważne. Zachowaj ostrożność. Możesz usunąć część podzielonej transakcji z tej strony, więc zachowaj ostrożność.',
|
||||
'mass_deleted_transactions_success' => 'Deleted :count transaction.|Deleted :count transactions.',
|
||||
'mass_edited_transactions_success' => 'Updated :count transaction.|Updated :count transactions.',
|
||||
'mass_deleted_transactions_success' => 'Usunięto :count transakcję.|Usunięto :count transakcji.',
|
||||
'mass_edited_transactions_success' => 'Zaktualizowano :count transakcję.|Zaktualizowano :count transakcji.',
|
||||
'opt_group_' => '(brak typu konta)',
|
||||
'opt_group_no_account_type' => '(brak typu konta)',
|
||||
'opt_group_defaultAsset' => 'Domyślne konta aktywów',
|
||||
@ -1184,7 +1186,7 @@ return [
|
||||
'currency' => 'Waluta',
|
||||
'preferences' => 'Preferencje',
|
||||
'logout' => 'Wyloguj',
|
||||
'logout_other_sessions' => 'Logout all other sessions',
|
||||
'logout_other_sessions' => 'Wyloguj z pozostałych sesji',
|
||||
'toggleNavigation' => 'Przełącz nawigację',
|
||||
'searchPlaceholder' => 'Szukaj...',
|
||||
'version' => 'Wersja',
|
||||
@ -1450,10 +1452,10 @@ return [
|
||||
'user_data_information' => 'Dane użytkownika',
|
||||
'user_information' => 'Informacja o użytkowniku',
|
||||
'total_size' => 'łączny rozmiar',
|
||||
'budget_or_budgets' => ':count budget|:count budgets',
|
||||
'budgets_with_limits' => ':count budget with configured amount|:count budgets with configured amount',
|
||||
'budget_or_budgets' => ':count budżet|:count budżetów',
|
||||
'budgets_with_limits' => ':count budżet z ustaloną kwotą|:count budżetów z ustaloną kwotą',
|
||||
'nr_of_rules_in_total_groups' => ':count_rules reguła(y) w :count_groups grupa(ch) reguł',
|
||||
'tag_or_tags' => ':count tag|:count tags',
|
||||
'tag_or_tags' => ':count tag|:count tagów',
|
||||
'configuration_updated' => 'Konfiguracja została zaktualizowana',
|
||||
'setting_is_demo_site' => 'Strona demonstracyjna',
|
||||
'setting_is_demo_site_explain' => 'Jeśli zaznaczysz to pole, ta instalacja będzie zachowywać się jak witryna demonstracyjna, co może mieć dziwne efekty uboczne.',
|
||||
@ -1497,7 +1499,7 @@ return [
|
||||
'link_type_help_name' => 'Np. "Duplikaty"',
|
||||
'link_type_help_inward' => 'Np. "duplikuje"',
|
||||
'link_type_help_outward' => 'Np. "jest zduplikowana przez"',
|
||||
'save_connections_by_moving' => 'Save the link between these transactions by moving them to another link type:',
|
||||
'save_connections_by_moving' => 'Zapisz powiązania miedzy tymi transakcjami, przenosząc je do innego typu łącza:',
|
||||
'do_not_save_connection' => '(nie zapisuj powiązań)',
|
||||
'link_transaction' => 'Powiąż transakcje',
|
||||
'link_to_other_transaction' => 'Powiąż aktualną transakcję z inną transakcją',
|
||||
@ -1623,9 +1625,9 @@ return [
|
||||
'make_new_recurring' => 'Utwórz cykliczną transakcję',
|
||||
'recurring_daily' => 'Codziennie',
|
||||
'recurring_weekly' => 'Co tydzień w :weekday',
|
||||
'recurring_weekly_skip' => 'Every :skip(st/nd/rd/th) week on :weekday',
|
||||
'recurring_weekly_skip' => 'Co każdy :skip tydzień w :weekday',
|
||||
'recurring_monthly' => 'Co miesiąc w :dayOfMonth dzień',
|
||||
'recurring_monthly_skip' => 'Every :skip(st/nd/rd/th) month on the :dayOfMonth(st/nd/rd/th) day',
|
||||
'recurring_monthly_skip' => 'Co każdy :skip miesiąc :dayOfMonth dnia miesiąca',
|
||||
'recurring_ndom' => 'Co miesiąc w każdy :dayOfMonth. :weekday',
|
||||
'recurring_yearly' => 'Co rok w dniu :date',
|
||||
'overview_for_recurrence' => 'Przegląd cyklicznej transakcji ":title"',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Utworzone wypłaty',
|
||||
'created_deposits' => 'Utworzone wpłaty',
|
||||
'created_transfers' => 'Utworzone transfery',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Utworzona przez cykliczną transakcję ":title" (#:id)',
|
||||
'recurring_never_cron' => 'Wygląda na to, że zadanie cron, które jest niezbędne do obsługi powtarzających się transakcji, nigdy nie zostało uruchomione. Jest to normalne po zainstalowaniu Firefly III, ale powinno to być jak najszybciej skonfigurowane. Sprawdź strony pomocy za pomocą ikony (?) w prawym górnym rogu strony.',
|
||||
'recurring_cron_long_ago' => 'Wygląda na to, że minęło ponad 36 godzin, od kiedy zadanie cron do obsługi cyklicznych transakcji zostało uruchomione po raz ostatni. Czy jesteś pewien, że zostało poprawnie skonfigurowane? Sprawdź strony pomocy za pomocą ikony (?) w prawym górnym rogu strony.',
|
||||
@ -1662,7 +1665,7 @@ return [
|
||||
'edit_recurrence' => 'Modyfikuj cykliczną transakcję ":title"',
|
||||
'recurring_repeats_until' => 'Powtarza się aż do :date',
|
||||
'recurring_repeats_forever' => 'Powtarza się bez końca',
|
||||
'recurring_repeats_x_times' => 'Repeats :count time|Repeats :count times',
|
||||
'recurring_repeats_x_times' => 'Powtarza się :count raz|Powtarza się :count razy',
|
||||
'update_recurrence' => 'Aktualizuj cykliczną transakcję',
|
||||
'updated_recurrence' => 'Zaktualizowano cykliczną transakcję ":title"',
|
||||
'recurrence_is_inactive' => 'Ta cykliczna transakcja jest nieaktywna i nie będzie generowała nowych transakcji.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Powiązane reguły',
|
||||
'active' => 'Jest aktywny?',
|
||||
'percentage' => '%',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Następny termin',
|
||||
'transaction_type' => 'Typ',
|
||||
'lastActivity' => 'Ostatnia aktywność',
|
||||
@ -45,7 +46,7 @@ return [
|
||||
'account_type' => 'Typ konta',
|
||||
'created_at' => 'Utworzono',
|
||||
'account' => 'Konto',
|
||||
'external_uri' => 'External URI',
|
||||
'external_uri' => 'Zewnętrzne URI',
|
||||
'matchingAmount' => 'Kwota',
|
||||
'destination' => 'Cel',
|
||||
'source' => 'Źródło',
|
||||
@ -109,8 +110,8 @@ return [
|
||||
'sepa_db' => 'Identyfikator mandatu SEPA',
|
||||
'sepa_country' => 'Kraj SEPA',
|
||||
'sepa_cc' => 'Kod rozliczeniowy SEPA',
|
||||
'sepa_ep' => 'SEPA External Purpose',
|
||||
'sepa_ci' => 'SEPA Creditor Identifier',
|
||||
'sepa_ep' => 'Cel zewnętrzny SEPA',
|
||||
'sepa_ci' => 'Identyfikator wierzyciela SEPA',
|
||||
'sepa_batch_id' => 'ID paczki SEPA',
|
||||
'external_id' => 'Zewnętrzne ID',
|
||||
'account_at_bunq' => 'Konto bunq',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Você se registrou com sucesso!',
|
||||
'Default asset account' => 'Conta padrão',
|
||||
'no_budget_pointer' => 'Parece que você ainda não tem orçamentos. Você deve criar alguns na página de <a href="/budgets">orçamentos</a>. Orçamentos podem ajudá-lo a manter o controle das despesas.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Conta poupança',
|
||||
'Credit card' => 'Cartão de crédito',
|
||||
'source_accounts' => 'Conta de origem|Contas de origem',
|
||||
@ -619,12 +620,12 @@ return [
|
||||
'pref_optional_tj_internal_reference' => 'Referência interna',
|
||||
'pref_optional_tj_notes' => 'Notas',
|
||||
'pref_optional_tj_attachments' => 'Anexos',
|
||||
'pref_optional_tj_external_uri' => 'External URI',
|
||||
'pref_optional_tj_external_uri' => 'URI externo',
|
||||
'optional_field_meta_dates' => 'Datas',
|
||||
'optional_field_meta_business' => 'Negócios',
|
||||
'optional_field_attachments' => 'Anexos',
|
||||
'optional_field_meta_data' => 'Meta dados opcionais',
|
||||
'external_uri' => 'External URI',
|
||||
'external_uri' => 'URI externo',
|
||||
|
||||
// profile:
|
||||
'delete_stuff_header' => 'Excluir dados do Firefly III',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Você não pode editar em massa outros campos que não esses aqui, porque não há espaço para mostrá-los. Por favor siga o link e editá-los por um por um, se você precisar editar esses campos.',
|
||||
'cannot_change_amount_reconciled' => 'Você não pode alterar o valor das transações reconciliadas.',
|
||||
'no_budget' => '(sem orçamento)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Account per budget',
|
||||
'account_per_category' => 'Account per category',
|
||||
'create_new_object' => 'Criar',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Retiradas criadas',
|
||||
'created_deposits' => 'Depósitos criados',
|
||||
'created_transfers' => 'Transferências criadas',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Criado a partir da transação recorrente ":title" (#:id)',
|
||||
'recurring_never_cron' => 'Parece que o cron job necessário para dar suporte a transações recorrentes nunca foi executado. Isso é normal quando você acabou de instalar o Firefly III, mas deve ser configurado o quanto antes. Por favor, veja as páginas de ajuda usando o ícone (?) no canto superior direito da página.',
|
||||
'recurring_cron_long_ago' => 'Faz mais de 36 horas que o cron job que dá suporte a transações recorrentes foi acionado pela última vez. Tem certeza de que foi configurado corretamente? Por favor, veja as páginas de ajuda usando o ícone (?) no canto superior direito da página.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Regras relevantes',
|
||||
'active' => 'Está ativo?',
|
||||
'percentage' => 'pct.',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Next due',
|
||||
'transaction_type' => 'Tipo',
|
||||
'lastActivity' => 'Última atividade',
|
||||
@ -45,7 +46,7 @@ return [
|
||||
'account_type' => 'Tipo de conta',
|
||||
'created_at' => 'Criado em',
|
||||
'account' => 'Conta',
|
||||
'external_uri' => 'External URI',
|
||||
'external_uri' => 'URI externo',
|
||||
'matchingAmount' => 'Total',
|
||||
'destination' => 'Destino',
|
||||
'source' => 'Fonte',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Te-ai inregistrat cu succes!',
|
||||
'Default asset account' => 'Ccont de active implicit',
|
||||
'no_budget_pointer' => 'Se pare că nu aveți încă bugete. Ar trebui să creați câteva pe pagina <a href="/budgets">bugete</a>. Bugetele vă pot ajuta să țineți evidența cheltuielilor.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Cont de economii',
|
||||
'Credit card' => 'Card de credit',
|
||||
'source_accounts' => 'Contul sursă | Conturi sursă',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Nu poți edita alte câmpuri decât cele de aici, pentru că nu există loc pentru a le arăta. Urmați linkul și editați-l câte unul, dacă aveți nevoie să editați aceste câmpuri.',
|
||||
'cannot_change_amount_reconciled' => 'Nu puteți modifica suma tranzacțiilor reconciliate.',
|
||||
'no_budget' => '(nici un buget)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Cont pe buget',
|
||||
'account_per_category' => 'Cont pe categorie',
|
||||
'create_new_object' => 'Creează',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Retragerile create',
|
||||
'created_deposits' => 'Depozitele create',
|
||||
'created_transfers' => 'Transferurile create',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Creat din tranzacții recurente ":title" (#:id)',
|
||||
'recurring_never_cron' => 'Se pare că cron-job-ul necesar pentru a susține tranzacțiile recurente nu a avut loc niciodată. Acest lucru este, desigur, normal când ați instalat Firefly III, dar acest lucru ar trebui să fie ceva de instalat cât mai curând posibil. Consultați paginile de ajutor utilizând pictograma (?) - în colțul din dreapta sus al paginii.',
|
||||
'recurring_cron_long_ago' => 'Se pare că au trecut mai mult de 36 de ore de când cron-job-ul pentru susținerea tranzacțiilor recurente a fost utilizat. Sunteți sigur că a fost configurat corect? Consultați paginile de ajutor utilizând pictograma (?) - în colțul din dreapta sus al paginii.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Reguli relevante',
|
||||
'active' => 'Este activ?',
|
||||
'percentage' => 'procent %',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Următoarea scadență',
|
||||
'transaction_type' => 'Tip',
|
||||
'lastActivity' => 'Ultima activitate',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Вы зарегистрировались успешно!',
|
||||
'Default asset account' => 'Счёт по умолчанию',
|
||||
'no_budget_pointer' => 'Похоже, у вас пока нет бюджетов. Вы должны создать их в разделе <a href="/budgets">Бюджеты</a>. Бюджеты могут помочь вам отслеживать расходы.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Сберегательный счет',
|
||||
'Credit card' => 'Кредитная карта',
|
||||
'source_accounts' => 'Счёт-источник|Счета-источники',
|
||||
@ -619,12 +620,12 @@ return [
|
||||
'pref_optional_tj_internal_reference' => 'Внутренняя ссылка',
|
||||
'pref_optional_tj_notes' => 'Заметки',
|
||||
'pref_optional_tj_attachments' => 'Вложения',
|
||||
'pref_optional_tj_external_uri' => 'External URI',
|
||||
'pref_optional_tj_external_uri' => 'Внешний URI',
|
||||
'optional_field_meta_dates' => 'Даты',
|
||||
'optional_field_meta_business' => 'Бизнес',
|
||||
'optional_field_attachments' => 'Вложения',
|
||||
'optional_field_meta_data' => 'Расширенные данные',
|
||||
'external_uri' => 'External URI',
|
||||
'external_uri' => 'Внешний URI',
|
||||
|
||||
// profile:
|
||||
'delete_stuff_header' => 'Удалить данные из Firefly III',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Вы не можете массово редактировать другие поля, кроме тех, которые видите здесь, поскольку для их отображения недостаточно места. Пожалуйста, перейдите по ссылке и отредактируйте их по одной, если вам нужно изменить такие поля.',
|
||||
'cannot_change_amount_reconciled' => 'Вы не можете изменить сумму по сверенным транзакциям.',
|
||||
'no_budget' => '(вне бюджета)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Счёт в бюджете',
|
||||
'account_per_category' => 'Счёт по категории',
|
||||
'create_new_object' => 'Создать',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Расходы созданы',
|
||||
'created_deposits' => 'Доходы созданы',
|
||||
'created_transfers' => 'Переводы созданы',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Создано из повторяющейся транзакции ":title" (#:id)',
|
||||
'recurring_never_cron' => 'Похоже, что задание cron, которое необходимо для работы повторяющихся транзакций, никогда не запускалось. Это совершенно нормально, если вы только что установили Firefly III, но возможно стоит проверить кое-какие настройки как можно скорее. Пожалуйста, перечитайте страницу справки, используя значок (?) в верхнем правом углу этой страницы.',
|
||||
'recurring_cron_long_ago' => 'Похоже, что прошло более 36 часов с того времени, когда задание cron должно было быть выполнено в последний раз. Вы уверены, что всё настроено правильно? Пожалуйста, перечитайте страницу справки, используя значок (?) в верхнем правом углу этой страницы.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Подходящие правила',
|
||||
'active' => 'Активен?',
|
||||
'percentage' => 'процентов',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Следующий срок',
|
||||
'transaction_type' => 'Тип',
|
||||
'lastActivity' => 'Последняя активность',
|
||||
@ -45,7 +46,7 @@ return [
|
||||
'account_type' => 'Тип профиля',
|
||||
'created_at' => 'Создан',
|
||||
'account' => 'Счёт',
|
||||
'external_uri' => 'External URI',
|
||||
'external_uri' => 'Внешний URI',
|
||||
'matchingAmount' => 'Сумма',
|
||||
'destination' => 'Получатель',
|
||||
'source' => 'Источник',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Din registrering lyckades!',
|
||||
'Default asset account' => 'Förvalt tillgångskonto',
|
||||
'no_budget_pointer' => 'Du verkar inte ha några budgetar än. Du bör skapa några på <a href="/budgets">budgetar</a>-sidan. Budgetar kan hjälpa dig att hålla reda på utgifter.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Sparkonto',
|
||||
'Credit card' => 'Kreditkort',
|
||||
'source_accounts' => 'Källa konto|Källa konton',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Går ej att massredigera andra fält än dessa, eftersom det inte finns utrymme att visa andra. Vänligen följ länken och redigera dem en efter en om andra fält behöver redigeras.',
|
||||
'cannot_change_amount_reconciled' => 'Du kan inte ändra beloppet för avstämda transaktioner.',
|
||||
'no_budget' => '(ingen budget)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Konto per budget',
|
||||
'account_per_category' => 'Konto per etikett',
|
||||
'create_new_object' => 'Create',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Skapade uttag',
|
||||
'created_deposits' => 'Skapade insättning',
|
||||
'created_transfers' => 'Skapade överföringar',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Skapad från återkommande transaktion ":title" (#:id)',
|
||||
'recurring_never_cron' => 'It seems the cron job that is necessary to support recurring transactions has never run. This is of course normal when you have just installed Firefly III, but this should be something to set up as soon as possible. Please check out the help-pages using the (?)-icon in the top right corner of the page.',
|
||||
'recurring_cron_long_ago' => 'It looks like it has been more than 36 hours since the cron job to support recurring transactions has fired for the last time. Are you sure it has been set up correctly? Please check out the help-pages using the (?)-icon in the top right corner of the page.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Relevanta regler',
|
||||
'active' => 'Är aktiv?',
|
||||
'percentage' => 'procent',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Nästa förfallodag',
|
||||
'transaction_type' => 'Typ',
|
||||
'lastActivity' => 'Senaste aktivitet',
|
||||
|
@ -106,6 +106,7 @@ return [
|
||||
'registered' => 'Başarıyla kaydoldunuz!',
|
||||
'Default asset account' => 'Varsayılan varlık hesabı',
|
||||
'no_budget_pointer' => 'You seem to have no budgets yet. You should create some on the <a href="/budgets">budgets</a>-page. Budgets can help you keep track of expenses.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Birikim Hesabı',
|
||||
'Credit card' => 'Kredi Kartı',
|
||||
'source_accounts' => 'Source account|Source accounts',
|
||||
@ -1095,6 +1096,7 @@ işlemlerin kontrol edildiğini lütfen unutmayın.',
|
||||
'cannot_edit_other_fields' => 'Gösterecek yer olmadığı için, bu dosya dışındaki dosyaları toplu olarak düzenleyemezsiniz. Eğer o alanları düzenlemeniz gerekliyse lütfen linki takip edin ve onları teker teker düzenleyin.',
|
||||
'cannot_change_amount_reconciled' => 'You can\'t change the amount of reconciled transactions.',
|
||||
'no_budget' => '(no budget)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Account per budget',
|
||||
'account_per_category' => 'Account per category',
|
||||
'create_new_object' => 'Create',
|
||||
@ -1639,6 +1641,7 @@ işlemlerin kontrol edildiğini lütfen unutmayın.',
|
||||
'created_withdrawals' => 'Created withdrawals',
|
||||
'created_deposits' => 'Created deposits',
|
||||
'created_transfers' => 'Created transfers',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Created from recurring transaction ":title" (#:id)',
|
||||
'recurring_never_cron' => 'It seems the cron job that is necessary to support recurring transactions has never run. This is of course normal when you have just installed Firefly III, but this should be something to set up as soon as possible. Please check out the help-pages using the (?)-icon in the top right corner of the page.',
|
||||
'recurring_cron_long_ago' => 'It looks like it has been more than 36 hours since the cron job to support recurring transactions has fired for the last time. Are you sure it has been set up correctly? Please check out the help-pages using the (?)-icon in the top right corner of the page.',
|
||||
|
@ -38,6 +38,7 @@ return [
|
||||
İlgili kurallar',
|
||||
'active' => 'Aktif mi?',
|
||||
'percentage' => 'yzd.',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Sonraki ödeme',
|
||||
'transaction_type' => 'Tip',
|
||||
'lastActivity' => 'Son Etkinlik',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => 'Bạn đã đăng ký thành công!',
|
||||
'Default asset account' => 'Mặc định tài khoản',
|
||||
'no_budget_pointer' => 'Bạn dường như chưa có ngân sách. Bạn nên tạo một cái trên <a href=":link">budgets</a>-page. Ngân sách có thể giúp bạn theo dõi chi phí.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => 'Tài khoản tiết kiệm',
|
||||
'Credit card' => 'Thẻ tín dụng',
|
||||
'source_accounts' => 'Tài khoản gửi',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => 'Bạn không thể chỉnh sửa hàng loạt các trường khác ngoài các trường ở đây, vì không có chỗ để hiển thị chúng. Vui lòng theo liên kết và chỉnh sửa từng cái một, nếu bạn cần chỉnh sửa các trường này.',
|
||||
'cannot_change_amount_reconciled' => 'Bạn không thể thay đổi số lượng giao dịch được điều chỉnh.',
|
||||
'no_budget' => '(không có ngân sách)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Tài khoản trên mỗi ngân sách',
|
||||
'account_per_category' => 'Tài khoản mỗi danh mục',
|
||||
'create_new_object' => 'Tạo',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => 'Tạo rút tiền',
|
||||
'created_deposits' => 'Tạo tiền gửi',
|
||||
'created_transfers' => 'Tạo chuyển khoản',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => 'Được tạo từ giao dịch định kỳ ":title" (#:id)',
|
||||
'recurring_never_cron' => 'Có vẻ như công việc định kỳ cần thiết để hỗ trợ các giao dịch định kỳ chưa bao giờ chạy. Điều này là tất nhiên bình thường khi bạn vừa cài đặt Firefly III, nhưng đây sẽ là thứ cần thiết lập càng sớm càng tốt. Vui lòng kiểm tra các trang trợ giúp bằng biểu tượng (?) - ở góc trên cùng bên phải của trang.',
|
||||
'recurring_cron_long_ago' => 'Có vẻ như đã hơn 36 giờ kể từ khi công việc định kỳ hỗ trợ các giao dịch định kỳ được thực hiện lần cuối. Bạn có chắc chắn rằng nó đã được thiết lập chính xác? Vui lòng kiểm tra các trang trợ giúp bằng biểu tượng (?) - ở góc trên cùng bên phải của trang.',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => 'Quy tắc liên quan',
|
||||
'active' => 'Đang hoạt động?',
|
||||
'percentage' => 'phần trăm.',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Kỳ hạn tiếp theo',
|
||||
'transaction_type' => 'Loại giao dịch',
|
||||
'lastActivity' => 'Hoạt động cuối cùng',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => '您已成功注册!',
|
||||
'Default asset account' => '预设资产帐户',
|
||||
'no_budget_pointer' => '您似乎还没有任何预算。您应该在 <a href="/budgets">预算</a>页面上创建他们。预算可以帮助您跟踪费用。',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => '储蓄帐户',
|
||||
'Credit card' => '信用卡',
|
||||
'source_accounts' => 'Source account|Source accounts',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => '由于画面空间限制,除了此处所示的栏位以外,您无法大量编辑其他栏位。若您需要编辑其他栏位,请依连结并按部就班编辑之。',
|
||||
'cannot_change_amount_reconciled' => 'You can\'t change the amount of reconciled transactions.',
|
||||
'no_budget' => '(无预算)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Account per budget',
|
||||
'account_per_category' => 'Account per category',
|
||||
'create_new_object' => '创建',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => '创建的取款',
|
||||
'created_deposits' => '创建的存款',
|
||||
'created_transfers' => '创建的转账',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => '由交易记录:title (#:id)创建',
|
||||
'recurring_never_cron' => '用来支援定期重复交易的 cron job 似乎没有运行过,这在您刚安装 Firefly III 没多久时是非常正常的,但能越快处理越好。请使用本页右上角的 (?)-图示查阅说明页面。',
|
||||
'recurring_cron_long_ago' => '用来支援定期重复交易的 cron job 自上次运行已超过了 36 小时,您确定您已正确设定了吗?请使用本页右上角的 (?)-图示查阅说明页面。',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => '相关规则',
|
||||
'active' => '是否启用?',
|
||||
'percentage' => '%',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => '下次到期日',
|
||||
'transaction_type' => '类别',
|
||||
'lastActivity' => '上次活动',
|
||||
|
@ -105,6 +105,7 @@ return [
|
||||
'registered' => '您已成功註冊!',
|
||||
'Default asset account' => '預設資產帳戶',
|
||||
'no_budget_pointer' => 'You seem to have no budgets yet. You should create some on the <a href="/budgets">budgets</a>-page. Budgets can help you keep track of expenses.',
|
||||
'no_bill_pointer' => 'You seem to have no bills yet. You should create some on the <a href="/budgets">budgets</a>-page. Bills can help you keep track of expenses.',
|
||||
'Savings account' => '儲蓄帳戶',
|
||||
'Credit card' => '信用卡',
|
||||
'source_accounts' => 'Source account|Source accounts',
|
||||
@ -1093,6 +1094,7 @@ return [
|
||||
'cannot_edit_other_fields' => '受版面空間所限,您僅能大量編輯此處顯示的欄位。若您需要編輯其他欄位,請按一下連結並逐一編輯。',
|
||||
'cannot_change_amount_reconciled' => 'You can\'t change the amount of reconciled transactions.',
|
||||
'no_budget' => '(無預算)',
|
||||
'no_bill' => '(no bill)',
|
||||
'account_per_budget' => 'Account per budget',
|
||||
'account_per_category' => 'Account per category',
|
||||
'create_new_object' => 'Create',
|
||||
@ -1637,6 +1639,7 @@ return [
|
||||
'created_withdrawals' => '已建立提款',
|
||||
'created_deposits' => '已建立存款',
|
||||
'created_transfers' => '已建立轉帳',
|
||||
'recurring_info' => 'Recurring transaction :count / :total',
|
||||
'created_from_recurrence' => '由週期性交易 ":title" (#:id) 所建立',
|
||||
'recurring_never_cron' => '用來支援週期性交易的 cron job 似乎沒有運行過,這在您剛安裝 Firefly III 沒多久時是非常正常的,但能越快處理越好。請使用本頁右上角的 (?)-圖示查閱說明頁面。',
|
||||
'recurring_cron_long_ago' => '用來支援週期性交易的 cron job 自上次運行已超過了 36 小時,您確定您已正確設定了嗎?請使用本頁右上角的 (?)-圖示查閱說明頁面。',
|
||||
|
@ -37,6 +37,7 @@ return [
|
||||
'linked_to_rules' => '相關規則',
|
||||
'active' => '是否啟用?',
|
||||
'percentage' => 'pct.',
|
||||
'recurring_transaction' => 'Recurring transaction',
|
||||
'next_due' => 'Next due',
|
||||
'transaction_type' => 'Type',
|
||||
'lastActivity' => '上次活動',
|
||||
|
Loading…
Reference in New Issue
Block a user