first commit

This commit is contained in:
root
2026-03-14 09:42:12 +00:00
commit 0adbd20c2c
10991 changed files with 1646955 additions and 0 deletions

View File

@@ -0,0 +1,2 @@
# This file is part of Tryton. The COPYRIGHT file at the top level of
# this repository contains the full copyright notices and license terms.

View File

@@ -0,0 +1,973 @@
# This file is part of Tryton. The COPYRIGHT file at the top level of
# this repository contains the full copyright notices and license terms.
from collections import defaultdict
from decimal import Decimal
from itertools import groupby
from sql import Null
from sql.aggregate import Sum
from sql.conditionals import Case, Coalesce
from sql.functions import Abs
from trytond.i18n import gettext
from trytond.model import Index, ModelSQL, ModelView, fields
from trytond.modules.account.exceptions import (
CancelWarning, DelegateLineWarning, GroupLineWarning,
RescheduleLineWarning)
from trytond.modules.company.model import CompanyValueMixin
from trytond.modules.currency.fields import Monetary
from trytond.pool import Pool, PoolMeta
from trytond.pyson import Bool, Eval, Id, If
from trytond.tools import grouped_slice, reduce_ids
from trytond.transaction import Transaction, check_access, without_check_access
from trytond.wizard import (
Button, StateAction, StateTransition, StateView, Wizard)
from .exceptions import BlockedWarning, GroupWarning
from .payment import KINDS
def _payment_amount_expression(table):
return (Case(
(table.second_currency == Null,
Abs(table.credit - table.debit)),
else_=Abs(table.amount_second_currency))
- Coalesce(table.payment_amount_cache, 0))
class MoveLine(metaclass=PoolMeta):
__name__ = 'account.move.line'
payment_amount = fields.Function(Monetary(
"Amount to Pay",
currency='payment_currency', digits='payment_currency',
states={
'invisible': ~Eval('payment_kind'),
}),
'get_payment_amount')
payment_amount_cache = Monetary(
"Amount to Pay Cache",
currency='payment_currency', digits='payment_currency', readonly=True,
states={
'invisible': ~Eval('payment_kind'),
})
payment_currency = fields.Function(fields.Many2One(
'currency.currency', "Payment Currency"),
'get_payment_currency', searcher='search_payment_currency')
payments = fields.One2Many('account.payment', 'line', 'Payments',
readonly=True,
states={
'invisible': ~Eval('payment_kind'),
})
payment_kind = fields.Function(fields.Selection([
(None, ''),
] + KINDS, 'Payment Kind'), 'get_payment_kind')
payment_blocked = fields.Boolean('Blocked', readonly=True)
payment_direct_debit = fields.Boolean("Direct Debit",
states={
'invisible': ~(
(Eval('payment_kind') == 'payable')
& ((Eval('credit', 0) > 0) | (Eval('debit', 0) < 0))),
},
help="Check if the line will be paid by direct debit.")
@classmethod
def __setup__(cls):
super().__setup__()
t = cls.__table__()
cls._sql_indexes.update({
Index(
t, (_payment_amount_expression(t), Index.Range())),
})
cls._buttons.update({
'pay': {
'invisible': (
~Eval('payment_kind').in_(list(dict(KINDS).keys()))
| Eval('reconciliation')),
'depends': ['payment_kind'],
},
'payment_block': {
'invisible': (
~Eval('payment_kind').in_(list(dict(KINDS).keys()))
| Eval('reconciliation')
| Eval('payment_blocked', False)),
'depends': ['payment_blocked'],
},
'payment_unblock': {
'invisible': (
~Eval('payment_kind').in_(list(dict(KINDS).keys()))
| Eval('reconciliation')
| ~Eval('payment_blocked', False)),
'depends': ['payment_blocked'],
},
})
cls._check_modify_exclude.update(
['payment_blocked', 'payment_direct_debit',
'payment_amount_cache'])
@classmethod
def __register__(cls, module):
table_h = cls.__table_handler__(module)
set_payment_amount = not table_h.column_exist('payment_amount_cache')
super().__register__(module)
# Migration from 7.2: store payment_amount
if set_payment_amount:
cls.set_payment_amount()
@classmethod
def default_payment_direct_debit(cls):
return False
def get_payment_amount(self, name):
if self.account.type.payable or self.account.type.receivable:
if self.second_currency:
amount = abs(self.amount_second_currency)
else:
amount = abs(self.credit - self.debit)
if self.payment_amount_cache:
amount -= self.payment_amount_cache
else:
amount = None
return amount
@classmethod
def domain_payment_amount(cls, domain, tables):
pool = Pool()
Account = pool.get('account.account')
AccountType = pool.get('account.account.type')
account = Account.__table__()
account_type = AccountType.__table__()
table, _ = tables[None]
accounts = (account
.join(account_type, condition=account.type == account_type.id)
.select(
account.id,
where=account_type.payable | account_type.receivable))
_, operator, operand = domain
Operator = fields.SQL_OPERATORS[operator]
payment_amount = _payment_amount_expression(table)
expression = Operator(payment_amount, operand)
expression &= table.account.in_(accounts)
return expression
@classmethod
def order_payment_amount(cls, tables):
table, _ = tables[None]
return [_payment_amount_expression(table)]
@classmethod
@without_check_access
def set_payment_amount(cls, lines=None):
pool = Pool()
Payment = pool.get('account.payment')
Account = pool.get('account.account')
AccountType = pool.get('account.account.type')
cursor = Transaction().connection.cursor()
table = cls.__table__()
payment = Payment.__table__()
account = Account.__table__()
account_type = AccountType.__table__()
accounts = (account
.join(account_type, condition=account.type == account_type.id)
.select(
account.id,
where=account_type.payable | account_type.receivable))
query = (table.update(
[table.payment_amount_cache],
[payment.select(
Sum(Coalesce(payment.amount, 0)),
where=(payment.line == table.id)
& (payment.state != 'failed'))],
where=table.account.in_(accounts)))
if lines:
for sub_lines in grouped_slice(lines):
query.where = (
table.account.in_(accounts)
& reduce_ids(table.id, map(int, sub_lines)))
cursor.execute(*query)
else:
cursor.execute(*query)
if lines:
# clear cache
cls.write(lines, {})
def get_payment_currency(self, name):
if self.second_currency:
return self.second_currency.id
elif self.currency:
return self.currency.id
@classmethod
def search_payment_currency(cls, name, clause):
return ['OR',
[('second_currency', *clause[1:]),
('second_currency', '!=', None),
],
[('currency', *clause[1:]),
('second_currency', '=', None)],
]
def get_payment_kind(self, name):
if self.account.type.receivable or self.account.type.payable:
if self.debit > 0 or self.credit < 0:
return 'receivable'
elif self.credit > 0 or self.debit < 0:
return 'payable'
@classmethod
def default_payment_blocked(cls):
return False
@classmethod
def copy(cls, lines, default=None):
if default is None:
default = {}
else:
default = default.copy()
default.setdefault('payments', None)
return super().copy(lines, default=default)
@classmethod
@ModelView.button_action('account_payment.act_pay_line')
def pay(cls, lines):
pass
@classmethod
@ModelView.button
def payment_block(cls, lines):
pool = Pool()
Payment = pool.get('account.payment')
cls.write(lines, {
'payment_blocked': True,
})
draft_payments = [p for l in lines for p in l.payments
if p.state == 'draft']
if draft_payments:
Payment.delete(draft_payments)
@classmethod
@ModelView.button
def payment_unblock(cls, lines):
cls.write(lines, {
'payment_blocked': False,
})
@classmethod
def _pay_direct_debit_domain(cls, date):
return [
['OR',
('account.type.receivable', '=', True),
('account.type.payable', '=', True),
],
('party', '!=', None),
('reconciliation', '=', None),
('payment_amount', '!=', 0),
('move_state', '=', 'posted'),
['OR',
('debit', '>', 0),
('credit', '<', 0),
],
['OR',
('maturity_date', '<=', date),
('maturity_date', '=', None),
],
('payment_blocked', '!=', True),
]
@classmethod
def pay_direct_debit(cls, date=None):
pool = Pool()
Date = pool.get('ir.date')
Payment = pool.get('account.payment')
Reception = pool.get('party.party.reception_direct_debit')
if date is None:
date = Date.today()
with check_access():
lines = cls.search(cls._pay_direct_debit_domain(date))
payments, receptions = [], set()
for line in lines:
if not line.payment_amount:
# SQLite fails to search for payment_amount != 0
continue
pattern = Reception.get_pattern(line)
for reception in line.party.reception_direct_debits:
if reception.match(pattern):
payments.extend(
reception.get_payments(line=line, date=date))
break
else:
pattern = Reception.get_pattern(line, 'balance')
for reception in line.party.reception_direct_debits:
if reception.match(pattern):
receptions.add(reception)
break
Payment.save(payments)
balance_payments = []
for reception in receptions:
lines = cls.search(reception.get_balance_domain(date))
amount = (
sum(l.payment_amount for l in lines
if l.payment_kind == 'receivable')
- sum(l.payment_amount for l in lines
if l.payment_kind == 'payable'))
pending_payments = Payment.search(
reception.get_balance_pending_payment_domain())
amount -= (
sum(p.amount for p in pending_payments
if p.kind == 'receivable')
- sum(p.amount for p in pending_payments
if p.kind == 'payable'))
if amount > 0:
balance_payments.extend(
reception.get_payments(amount=amount, date=date))
Payment.save(balance_payments)
return payments + balance_payments
class CreateDirectDebit(Wizard):
__name__ = 'account.move.line.create_direct_debit'
start = StateView('account.move.line.create_direct_debit.start',
'account_payment.move_line_create_direct_debit_view_form', [
Button("Cancel", 'end', 'tryton-cancel'),
Button("Create", 'create_', 'tryton-ok', default=True),
])
create_ = StateAction('account_payment.act_payment_form')
def do_create_(self, action):
pool = Pool()
Line = pool.get('account.move.line')
payments = Line.pay_direct_debit(date=self.start.date)
action['domains'] = []
return action, {
'res_id': [p.id for p in payments],
}
class CreateDirectDebitStart(ModelView):
__name__ = 'account.move.line.create_direct_debit.start'
date = fields.Date(
"Date", required=True,
help="Create direct debit for lines due up to this date.")
@classmethod
def default_date(cls):
return Pool().get('ir.date').today()
class PayLineStart(ModelView):
__name__ = 'account.move.line.pay.start'
date = fields.Date(
"Date",
help="When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates.")
class PayLineAskJournal(ModelView):
__name__ = 'account.move.line.pay.ask_journal'
company = fields.Many2One('company.company', 'Company', readonly=True)
currency = fields.Many2One('currency.currency', 'Currency', readonly=True)
journal = fields.Many2One('account.payment.journal', 'Journal',
required=True, domain=[
('company', '=', Eval('company', -1)),
('currency', '=', Eval('currency', -1)),
])
journals = fields.One2Many(
'account.payment.journal', None, 'Journals', readonly=True)
class PayLine(Wizard):
__name__ = 'account.move.line.pay'
start = StateView(
'account.move.line.pay.start',
'account_payment.move_line_pay_start_view_form', [
Button("Cancel", 'end', 'tryton-cancel'),
Button("Pay", 'next_', 'tryton-ok', default=True),
])
next_ = StateTransition()
ask_journal = StateView('account.move.line.pay.ask_journal',
'account_payment.move_line_pay_ask_journal_view_form', [
Button('Cancel', 'end', 'tryton-cancel'),
Button('Pay', 'next_', 'tryton-ok', default=True),
])
pay = StateAction('account_payment.act_payment_form')
def default_start(self, fields):
pool = Pool()
Line = pool.get('account.move.line')
Warning = pool.get('res.user.warning')
reverse = {'receivable': 'payable', 'payable': 'receivable'}
companies = {}
lines = self.records
for line in lines:
types = companies.setdefault(line.move.company, {
kind: {
'parties': set(),
'lines': list(),
}
for kind in reverse.keys()})
for kind in types:
if getattr(line.account.type, kind):
types[kind]['parties'].add(line.party)
types[kind]['lines'].append(line)
for company, types in companies.items():
for kind in types:
parties = types[kind]['parties']
others = Line.search([
('move.company', '=', company.id),
('account.type.' + reverse[kind], '=', True),
('party', 'in', [p.id for p in parties]),
('reconciliation', '=', None),
('payment_amount', '!=', 0),
('move_state', '=', 'posted'),
])
for party in parties:
party_lines = [l for l in others if l.party == party]
if not party_lines:
continue
lines = [l for l in types[kind]['lines']
if l.party == party]
warning_name = Warning.format(
'%s:%s' % (reverse[kind], party), lines)
if Warning.check(warning_name):
names = ', '.join(l.rec_name for l in lines[:5])
if len(lines) > 5:
names += '...'
raise GroupWarning(warning_name,
gettext('account_payment.msg_pay_line_group',
names=names,
party=party.rec_name,
line=party_lines[0].rec_name))
return {}
def _get_journals(self):
journals = {}
if self.ask_journal.journals:
for journal in self.ask_journal.journals:
journals[self._get_journal_key(journal)] = journal
if journal := self.ask_journal.journal:
journals[self._get_journal_key(journal)] = journal
return journals
def _get_journal_key(self, record):
pool = Pool()
Journal = pool.get('account.payment.journal')
Line = pool.get('account.move.line')
if isinstance(record, Journal):
return (record.company, record.currency)
elif isinstance(record, Line):
company = record.move.company
currency = record.second_currency or company.currency
return (company, currency)
def _missing_journal(self):
lines = self.records
journals = self._get_journals()
for line in lines:
key = self._get_journal_key(line)
if key not in journals:
return key
def transition_next_(self):
if self._missing_journal():
return 'ask_journal'
else:
return 'pay'
def default_ask_journal(self, fields):
pool = Pool()
Journal = pool.get('account.payment.journal')
values = {}
company, currency = self._missing_journal()[:2]
journals = Journal.search([
('company', '=', company),
('currency', '=', currency),
])
if len(journals) == 1:
journal, = journals
values['journal'] = journal.id
values['company'] = company.id
values['currency'] = currency.id
values['journals'] = [j.id for j in self._get_journals().values()]
return values
def get_payment(self, line, journals):
pool = Pool()
Payment = pool.get('account.payment')
if (line.debit > 0) or (line.credit < 0):
kind = 'receivable'
else:
kind = 'payable'
journal = journals[self._get_journal_key(line)]
payment = Payment(
company=line.move.company,
journal=journal,
party=line.party,
kind=kind,
amount=line.payment_amount,
line=line,
)
payment.date = self.start.date or line.maturity_date
return payment
def do_pay(self, action):
pool = Pool()
Payment = pool.get('account.payment')
Warning = pool.get('res.user.warning')
lines = self.records
journals = self._get_journals()
payments = []
for line in lines:
if line.payment_blocked:
warning_name = 'blocked:%s' % line
if Warning.check(warning_name):
raise BlockedWarning(warning_name,
gettext('account_payment.msg_pay_line_blocked',
line=line.rec_name))
payments.append(self.get_payment(line, journals))
Payment.save(payments)
return action, {
'res_id': [p.id for p in payments],
}
class Configuration(metaclass=PoolMeta):
__name__ = 'account.configuration'
payment_sequence = fields.MultiValue(fields.Many2One(
'ir.sequence', "Payment Sequence", required=True,
domain=[
('company', 'in',
[Eval('context', {}).get('company', -1), None]),
('sequence_type', '=',
Id('account_payment',
'sequence_type_account_payment')),
]))
payment_group_sequence = fields.MultiValue(fields.Many2One(
'ir.sequence', 'Payment Group Sequence', required=True,
domain=[
('company', 'in',
[Eval('context', {}).get('company', -1), None]),
('sequence_type', '=',
Id('account_payment',
'sequence_type_account_payment_group')),
]))
@classmethod
def default_payment_sequence(cls, **pattern):
return cls.multivalue_model(
'payment_sequence').default_payment_sequence()
@classmethod
def default_payment_group_sequence(cls, **pattern):
return cls.multivalue_model(
'payment_group_sequence').default_payment_group_sequence()
class ConfigurationPaymentSequence(ModelSQL, CompanyValueMixin):
__name__ = 'account.configuration.payment_sequence'
payment_sequence = fields.Many2One(
'ir.sequence', "Payment Sequence", required=True,
domain=[
('company', 'in', [Eval('company', -1), None]),
('sequence_type', '=',
Id('account_payment', 'sequence_type_account_payment')),
])
@classmethod
def default_payment_sequence(cls):
pool = Pool()
ModelData = pool.get('ir.model.data')
try:
return ModelData.get_id(
'account_payment', 'sequence_account_payment')
except KeyError:
return None
class ConfigurationPaymentGroupSequence(ModelSQL, CompanyValueMixin):
__name__ = 'account.configuration.payment_group_sequence'
payment_group_sequence = fields.Many2One(
'ir.sequence', "Payment Group Sequence", required=True,
domain=[
('company', 'in', [Eval('company', -1), None]),
('sequence_type', '=',
Id('account_payment', 'sequence_type_account_payment_group')),
])
@classmethod
def default_payment_group_sequence(cls):
pool = Pool()
ModelData = pool.get('ir.model.data')
try:
return ModelData.get_id(
'account_payment', 'sequence_account_payment_group')
except KeyError:
return None
class MoveCancel(metaclass=PoolMeta):
__name__ = 'account.move.cancel'
def transition_cancel(self):
pool = Pool()
Warning = pool.get('res.user.warning')
moves_w_payments = []
for move in self.records:
for line in move.lines:
if any(p.state != 'failed' for p in line.payments):
moves_w_payments.append(move)
break
if moves_w_payments:
names = ', '.join(
m.rec_name for m in moves_w_payments[:5])
if len(moves_w_payments) > 5:
names += '...'
key = Warning.format('cancel_payments', moves_w_payments)
if Warning.check(key):
raise CancelWarning(
key, gettext(
'account_payment.msg_move_cancel_payments',
moves=names))
return super().transition_cancel()
class MoveLineGroup(metaclass=PoolMeta):
__name__ = 'account.move.line.group'
def do_group(self, action):
pool = Pool()
Warning = pool.get('res.user.warning')
lines_w_payments = []
for line in self.records:
if any(p.state != 'failed' for p in line.payments):
lines_w_payments.append(line)
if lines_w_payments:
names = ', '.join(
m.rec_name for m in lines_w_payments[:5])
if len(lines_w_payments) > 5:
names += '...'
key = Warning.format('group_payments', lines_w_payments)
if Warning.check(key):
raise GroupLineWarning(
key, gettext(
'account_payment.msg_move_line_group_payments',
lines=names))
return super().do_group(action)
class MoveLineReschedule(metaclass=PoolMeta):
__name__ = 'account.move.line.reschedule'
def do_reschedule(self, action):
pool = Pool()
Warning = pool.get('res.user.warning')
lines_w_payments = []
for line in self.records:
if any(p.state != 'failed' for p in line.payments):
lines_w_payments.append(line)
if lines_w_payments:
names = ', '.join(
m.rec_name for m in lines_w_payments[:5])
if len(lines_w_payments) > 5:
names += '...'
key = Warning.format('reschedule_payments', lines_w_payments)
if Warning.check(key):
raise RescheduleLineWarning(
key, gettext(
'account_payment.msg_move_line_reschedule_payments',
lines=names))
return super().do_reschedule(action)
class MoveLineDelegate(metaclass=PoolMeta):
__name__ = 'account.move.line.delegate'
def do_delegate(self, action):
pool = Pool()
Warning = pool.get('res.user.warning')
lines_w_payments = []
for line in self.records:
if any(p.state != 'failed' for p in line.payments):
lines_w_payments.append(line)
if lines_w_payments:
names = ', '.join(
m.rec_name for m in lines_w_payments[:5])
if len(lines_w_payments) > 5:
names += '...'
key = Warning.format('delegate_payments', lines_w_payments)
if Warning.check(key):
raise DelegateLineWarning(
key, gettext(
'account_payment.msg_move_line_delegate_payments',
lines=names))
return super().do_delegate(action)
class Invoice(metaclass=PoolMeta):
__name__ = 'account.invoice'
payment_direct_debit = fields.Boolean("Direct Debit",
states={
'invisible': Eval('type') != 'in',
'readonly': Eval('state') != 'draft',
},
help="Check if the invoice is paid by direct debit.")
@classmethod
def default_payment_direct_debit(cls):
return False
@fields.depends('party')
def on_change_party(self):
super().on_change_party()
if self.party:
self.payment_direct_debit = self.party.payment_direct_debit
def _get_move_line(self, date, amount):
line = super()._get_move_line(date, amount)
line.payment_direct_debit = self.payment_direct_debit
return line
@classmethod
def get_amount_to_pay(cls, invoices, name):
pool = Pool()
Currency = pool.get('currency.currency')
Date = pool.get('ir.date')
context = Transaction().context
amounts = super().get_amount_to_pay(invoices, name)
if context.get('with_payment', True):
for company, c_invoices in groupby(
invoices, key=lambda i: i.company):
with Transaction().set_context(company=company.id):
today = Date.today()
for invoice in c_invoices:
for line in invoice.lines_to_pay:
if line.reconciliation:
continue
if (name == 'amount_to_pay_today'
and line.maturity_date
and line.maturity_date > today):
continue
payment_amount = Decimal(0)
for payment in line.payments:
amount_line_paid = payment.amount_line_paid
if ((invoice.type == 'in'
and payment.kind == 'receivable')
or (invoice.type == 'out'
and payment.kind == 'payable')):
amount_line_paid *= -1
with Transaction().set_context(date=payment.date):
payment_amount += Currency.compute(
payment.currency, amount_line_paid,
invoice.currency)
amounts[invoice.id] -= payment_amount
return amounts
class Statement(metaclass=PoolMeta):
__name__ = 'account.statement'
@classmethod
def create_move(cls, statements):
moves = super().create_move(statements)
cls._process_payments(moves)
return moves
@classmethod
def _process_payments(cls, moves):
pool = Pool()
Payment = pool.get('account.payment')
to_success = defaultdict(set)
to_fail = defaultdict(set)
for move, statement, lines in moves:
for line in lines:
for kind, payments in line.payments():
if (kind == 'receivable') == (line.amount >= 0):
to_success[line.date].update(payments)
else:
to_fail[line.date].update(payments)
# The failing should be done last because success is usually not a
# definitive state
if to_success:
for date, payments in to_success.items():
with Transaction().set_context(clearing_date=date):
Payment.succeed(Payment.browse(payments))
if to_fail:
for date, payments in to_fail.items():
with Transaction().set_context(clearing_date=date):
Payment.fail(Payment.browse(payments))
if to_success or to_fail:
payments = set.union(*to_success.values(), *to_fail.values())
else:
payments = []
return list(payments)
class StatementLine(metaclass=PoolMeta):
__name__ = 'account.statement.line'
@classmethod
def __setup__(cls):
super().__setup__()
cls.related_to.domain['account.payment'] = [
('company', '=', Eval('company', -1)),
If(Bool(Eval('party')),
('party', '=', Eval('party', -1)),
()),
('state', 'in', ['processing', 'succeeded', 'failed']),
If(Eval('second_currency'),
('currency', '=', Eval('second_currency', -1)),
('currency', '=', Eval('currency', -1))),
('kind', '=',
If(Eval('amount', 0) > 0, 'receivable',
If(Eval('amount', 0) < 0, 'payable', ''))),
]
cls.related_to.search_order['account.payment'] = [
('amount', 'ASC'),
('state', 'ASC'),
]
cls.related_to.search_context.update({
'amount_order': Eval('amount', 0),
})
@classmethod
def _get_relations(cls):
return super()._get_relations() + ['account.payment']
@property
@fields.depends('related_to')
def payment(self):
pool = Pool()
Payment = pool.get('account.payment')
related_to = getattr(self, 'related_to', None)
if isinstance(related_to, Payment) and related_to.id >= 0:
return related_to
@payment.setter
def payment(self, value):
self.related_to = value
@fields.depends(
'party', 'statement', '_parent_statement.journal',
methods=['payment'])
def on_change_related_to(self):
super().on_change_related_to()
if self.payment:
if not self.party:
self.party = self.payment.party
if self.payment.line:
self.account = self.payment.line.account
@fields.depends('party', methods=['payment'])
def on_change_party(self):
super().on_change_party()
if self.payment:
if self.payment.party != self.party:
self.payment = None
def payments(self):
"Yield payments per kind"
if self.payment:
yield self.payment.kind, [self.payment]
class StatementRule(metaclass=PoolMeta):
__name__ = 'account.statement.rule'
@classmethod
def __setup__(cls):
super().__setup__()
cls.description.help += "\n'payment'"
class StatementRuleLine(metaclass=PoolMeta):
__name__ = 'account.statement.rule.line'
def _get_related_to(self, origin, keywords, party=None, amount=0):
return super()._get_related_to(
origin, keywords, party=party, amount=amount) | {
self._get_payment(origin, keywords, party=party, amount=amount),
}
def _get_party_from(self, related_to):
pool = Pool()
Payment = pool.get('account.payment')
party = super()._get_party_from(related_to)
if isinstance(related_to, Payment):
party = related_to.party
return party
@classmethod
def _get_payment_domain(cls, payment, origin):
return [
('rec_name', '=', payment),
('company', '=', origin.company.id),
('currency', '=', origin.currency.id),
('state', 'in', ['processing', 'succeeded', 'failed']),
]
def _get_payment(self, origin, keywords, party=None, amount=0):
pool = Pool()
Payment = pool.get('account.payment')
if keywords.get('payment'):
domain = self._get_payment_domain(keywords['payment'], origin)
if party:
domain.append(('party', '=', party.id))
if amount > 0:
domain.append(('kind', '=', 'receivable'))
elif amount < 0:
domain.append(('kind', '=', 'payable'))
payments = Payment.search(domain)
if len(payments) == 1:
payment, = payments
return payment
class Dunning(metaclass=PoolMeta):
__name__ = 'account.dunning'
def get_active(self, name):
return super().get_active(name) and self.line.payment_amount > 0
@classmethod
def search_active(cls, name, clause):
if tuple(clause[1:]) in [('=', True), ('!=', False)]:
domain = ('line.payment_amount', '>', 0)
elif tuple(clause[1:]) in [('=', False), ('!=', True)]:
domain = ('line.payment_amount', '<=', 0)
else:
domain = []
return [super().search_active(name, clause), domain]
@classmethod
def _overdue_line_domain(cls, date):
return [super()._overdue_line_domain(date),
('payment_amount', '>', 0),
]

View File

@@ -0,0 +1,170 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<tryton>
<data>
<record model="ir.ui.view" id="move_line_view_list">
<field name="model">account.move.line</field>
<field name="type">tree</field>
<field name="priority" eval="20"/>
<field name="name">move_line_list</field>
</record>
<record model="ir.ui.view" id="move_line_view_form">
<field name="model">account.move.line</field>
<field name="inherit" ref="account.move_line_view_form"/>
<field name="name">move_line_form</field>
</record>
<record model="ir.ui.view" id="move_line_view_form_move">
<field name="model">account.move.line</field>
<field name="inherit" ref="account.move_line_view_form_move"/>
<field name="name">move_line_form</field>
</record>
<record model="ir.action.act_window" id="act_move_line_form">
<field name="name">Lines to Pay</field>
<field name="res_model">account.move.line</field>
<field name="domain"
eval="[['OR', ('account.type.receivable', '=', True), ('account.type.payable', '=', True)], ('party', '!=', None), ('reconciliation', '=', None), ('payment_amount', '!=', 0), ('move_state', '=', 'posted'), ('maturity_date', '!=', None)]"
pyson="1"/>
<field name="search_value"
eval="[('payment_blocked', '=', False)]" pyson="1"/>
</record>
<record model="ir.action.act_window.view" id="act_move_line_form_view1">
<field name="sequence" eval="10"/>
<field name="view" ref="move_line_view_list"/>
<field name="act_window" ref="act_move_line_form"/>
</record>
<record model="ir.action.act_window.domain"
id="act_move_line_form_domain_payable">
<field name="name">Payable</field>
<field name="sequence" eval="10"/>
<field name="domain"
eval="[['OR', ('credit', '&gt;', 0), ('debit', '&lt;', 0)], ('payment_direct_debit', '=', False)]"
pyson="1"/>
<field name="count" eval="True"/>
<field name="act_window" ref="act_move_line_form"/>
</record>
<record model="ir.action.act_window.domain"
id="act_move_line_form_domain_receivable">
<field name="name">Receivable</field>
<field name="sequence" eval="20"/>
<field name="domain"
eval="['OR', ('debit', '&gt;', 0), ('credit', '&lt;', 0)]"
pyson="1"/>
<field name="count" eval="True"/>
<field name="act_window" ref="act_move_line_form"/>
</record>
<menuitem
parent="menu_payments"
action="act_move_line_form"
sequence="10"
id="menu_move_line_form"/>
<record model="ir.model.access" id="access_move_line_payment">
<field name="model">account.move.line</field>
<field name="group" ref="group_payment"/>
<field name="perm_read" eval="True"/>
<field name="perm_write" eval="False"/>
<field name="perm_create" eval="False"/>
<field name="perm_delete" eval="False"/>
</record>
<record model="ir.action.wizard" id="wizard_create_direct_debit">
<field name="name">Create Direct Debit</field>
<field name="wiz_name">account.move.line.create_direct_debit</field>
</record>
<menuitem
parent="menu_payments"
action="wizard_create_direct_debit"
sequence="40"
id="menu_create_direct_debit"/>
<record model="ir.action-res.group" id="wizard_create_direct_debit-group_payment">
<field name="action" ref="wizard_create_direct_debit"/>
<field name="group" ref="group_payment"/>
</record>
<record model="ir.ui.view" id="move_line_create_direct_debit_view_form">
<field name="model">account.move.line.create_direct_debit.start</field>
<field name="type">form</field>
<field name="name">move_line_create_direct_debit_form</field>
</record>
<record model="ir.ui.view" id="move_line_pay_start_view_form">
<field name="model">account.move.line.pay.start</field>
<field name="type">form</field>
<field name="name">move_line_pay_start_form</field>
</record>
<record model="ir.ui.view" id="move_line_pay_ask_journal_view_form">
<field name="model">account.move.line.pay.ask_journal</field>
<field name="type">form</field>
<field name="name">move_line_pay_ask_journal_form</field>
</record>
<record model="ir.action.wizard" id="act_pay_line">
<field name="name">Pay Lines</field>
<field name="wiz_name">account.move.line.pay</field>
<field name="model">account.move.line</field>
</record>
<record model="ir.action-res.group"
id="act_pay_line-group_payment">
<field name="action" ref="act_pay_line"/>
<field name="group" ref="group_payment"/>
</record>
<record model="ir.model.button" id="move_line_pay_button">
<field name="model">account.move.line</field>
<field name="name">pay</field>
<field name="string">Pay</field>
</record>
<record model="ir.model.button-res.group" id="move_line_pay_button_group_payment">
<field name="button" ref="move_line_pay_button"/>
<field name="group" ref="group_payment"/>
</record>
<record model="ir.model.button" id="move_line_payment_block_button">
<field name="model">account.move.line</field>
<field name="name">payment_block</field>
<field name="string">Block</field>
</record>
<record model="ir.model.button-res.group"
id="move_line_payment_block_button_group_payment">
<field name="button" ref="move_line_payment_block_button"/>
<field name="group" ref="group_payment"/>
</record>
<record model="ir.model.button" id="move_line_payment_unblock_button">
<field name="model">account.move.line</field>
<field name="name">payment_unblock</field>
<field name="string">Unblock</field>
</record>
<record model="ir.model.button-res.group"
id="move_line_payment_unblock_button_group_payment">
<field name="button" ref="move_line_payment_unblock_button"/>
<field name="group" ref="group_payment"/>
</record>
<record model="ir.ui.view" id="configuration_view_form">
<field name="model">account.configuration</field>
<field name="inherit" ref="account.configuration_view_form"/>
<field name="name">configuration_form</field>
</record>
</data>
<data depends="account_invoice">
<record model="ir.ui.view" id="invoice_view_form">
<field name="model">account.invoice</field>
<field name="inherit" ref="account_invoice.invoice_view_form"/>
<field name="name">invoice_form</field>
</record>
<record model="ir.ui.view" id="move_line_view_list_to_pay">
<field name="model">account.move.line</field>
<field name="inherit" ref="account_invoice.move_line_view_list_to_pay"/>
<field name="name">move_line_list_to_pay</field>
</record>
</data>
</tryton>

View File

@@ -0,0 +1,29 @@
# This file is part of Tryton. The COPYRIGHT file at the top level of
# this repository contains the full copyright notices and license terms.
from trytond.exceptions import UserError, UserWarning
from trytond.model.exceptions import ValidationError
class ProcessError(UserError):
pass
class OverpayWarning(UserWarning):
pass
class ReconciledWarning(UserWarning):
pass
class PaymentValidationError(ValidationError):
pass
class BlockedWarning(UserWarning):
pass
class GroupWarning(UserWarning):
pass

View File

@@ -0,0 +1 @@
<svg xmlns="http://www.w3.org/2000/svg" height="24" viewBox="0 0 24 24" width="24"><path d="M0 0h24v24H0z" fill="none"/><path d="M20 4H4c-1.11 0-1.99.89-1.99 2L2 18c0 1.11.89 2 2 2h16c1.11 0 2-.89 2-2V6c0-1.11-.89-2-2-2zm0 14H4v-6h16v6zm0-10H4V6h16v2z"/></svg>

After

Width:  |  Height:  |  Size: 260 B

View File

@@ -0,0 +1,942 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Платена сума"
#, fuzzy
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Фирма"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Фирма"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Платена сума"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Редове за плащане"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Редове за плащане"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Платена сума"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Плащане"
#, fuzzy
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Дата"
#, fuzzy
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Фирма"
#, fuzzy
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Управление на валути"
#, fuzzy
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Дневник"
#, fuzzy
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Дневник"
#, fuzzy
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Дата"
#, fuzzy
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Сума"
#, fuzzy
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Approved"
#, fuzzy
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Фирма"
#, fuzzy
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Управление на валути"
#, fuzzy
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Дата"
#, fuzzy
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Създадено от"
#, fuzzy
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Група"
#, fuzzy
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Дневник"
#, fuzzy
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Вид"
#, fuzzy
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Ред"
#, fuzzy
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Номер"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Управление на партньор"
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Щат"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succeed"
#, fuzzy
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Фирма"
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Управление на валути"
#, fuzzy
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Дневник"
#, fuzzy
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Вид"
#, fuzzy
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Номер"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Платена сума"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Payment Groups"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Платена сума"
#, fuzzy
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Плащане"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Process Payments"
#, fuzzy
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Фирма"
#, fuzzy
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Управление на валути"
#, fuzzy
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Условие за плащане"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr ""
#, fuzzy
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Фирма"
#, fuzzy
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Управление на партньор"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Фирма"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Управление на валути"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Дневник"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Управление на партньор"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr ""
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr ""
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Плащане"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Account Payment Group"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr ""
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr ""
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Редове за плащане"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Pay Lines"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Плащане"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Плащане"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Плащане"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "За получаване"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Плащане"
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Process Payments"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Разходен"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "За получаване"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Обработване"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Проект"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Обработване"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Approve"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Обработване"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Проект"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Обработване"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Обработване"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "All"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
#, fuzzy
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Плащане"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Block"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Unblock"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Approve"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Draft"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fail"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Succeed"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Обработване"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Обработване"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Succeed"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Default Account Payment Group"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Редове за плащане"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Плащане"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "За получаване"
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Плащане"
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr ""
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr ""
#, fuzzy
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Плащане"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Payment Approval"
#, fuzzy
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Разходен"
#, fuzzy
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "За получаване"
#, fuzzy
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Разходен"
#, fuzzy
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "За получаване"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Approve"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Проект"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "Обработване"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Succeed"
#, fuzzy
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Разходен"
#, fuzzy
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "За получаване"
#, fuzzy
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "Ръчно"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Отказване"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Ред"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr ""
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Плащане"
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr ""
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "Сума"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Плащане"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Сума"
#, fuzzy
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Друга информация"
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Плащане"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Създадено на"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Отказване"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Отказване"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Плащане"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Отказване"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Плащане"

View File

@@ -0,0 +1,844 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Seqüència de grups de pagament"
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Seqüència de pagament"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Empresa"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Seqüència de grups de pagament"
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Seqüència de pagament"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Domiciliació Bancària"
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Import a pagar"
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Import a pagar precalculat"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "Bloquejat"
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Moneda de pagament"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Domiciliació Bancària"
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr "Classe de pagament"
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Pagaments"
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Moneda"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Diari"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Diaris"
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Import"
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Aprovat per"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Moneda"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Error marcat per"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Grup"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Diari"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Tipus"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Línia"
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Número"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr "Origen"
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Tercer"
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Mètode per processar"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr "Referència"
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr "Tipus de referència"
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Estat"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr "Enviat per"
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Èxit marcat per"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Moneda"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Diari"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Tipus"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Número"
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Import total pagaments"
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Pagaments amb èxit"
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Pagaments completats"
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Nombre de pagaments"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Pagaments"
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Mètode per processar"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Moneda"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Nom"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr "Mètode per processar"
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Domiciliació Bancària"
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr "Domiciliacions bancàries"
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr "Tercers idèntics"
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr "Domiciliacions bancàries"
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Tercer"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Domiciliació Bancària"
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Moneda"
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Diari"
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Tercer"
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Mètode per processar"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr "Tipus"
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr "Marca si la factura es paga a través de domiciliació bancària."
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr "Marca si la línia es paga a través de domiciliació bancària."
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
"Crea domiciliacions bancàries per a les línies pendents fins aquesta data."
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
"Quan està previst realitzar els pagaments.\n"
"Deixeu-ho en blanc per utilizar la data de venciment dels efecte."
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr "La suma dels imports dels pagaments."
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr "La suma dels imports dels pagaments exitosos."
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr "S'han completat tots els pagaments del grup."
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr "El nombre de pagaments del grup."
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr ""
"\n"
"'payment'"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Marca si es paga al proveïdor a través de domiciliació bancària."
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr "Omplir per domiciliar automàticament el client."
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Marca si es paga al proveïdor a través de domiciliació bancària."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr "Feu un pagament únic."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr "Feu un pagament per línia."
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Configuració de la seqüencia de grups de pagament"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr "Configuració comptable de la seqüència de pagament"
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr "Inici crea domiciliacions bancàries"
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr "Preguntar diari pagament d'efectes"
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr "Inici pagar apunt contable"
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Cobraments/Pagaments"
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Grups de cobraments/pagaments"
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Diari de cobraments/pagaments"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Efectes a pagar/cobrar"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Paga efectes"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Pagaments"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Pagaments"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Pagaments"
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Pagaments"
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Cobraments"
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Pagaments"
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Grups de pagaments"
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Diaris de pagament"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Processa pagaments"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Crea domiciliacions bancàries"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "A pagar"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "A cobrar"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "Tot"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Fallat"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "En procés"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Amb èxit"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "Tot"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Esborrany"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "En procés"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "A aprovar"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "A processar"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "Tot"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Esborrany"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "En procés"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "A processar"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "Tot"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr "Pendent"
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
"No podeu eliminar el tercer \"%(party)s\" mentre tingui pagaments pendents "
"amb l'empresa \"%(company)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
"Els assentaments \"%(moves)s\" contenen lines amb pagaments. Potser voleu "
"cancelar els pagaments abans de cancelar els asentaments."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
"Els apuntes \"%(lines)s\" tenen pagaments. Potser voleu cancelar els "
"pagaments abans de delegar els apunts."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
"Els apuntes \"%(lines)s\" tenen pagaments. Potser voleu cancelar els "
"pagaments abans d'agrupar els apunts."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
"Els apuntes \"%(lines)s\" tenen pagaments. Potser voleu cancelar els "
"pagaments abans de reprogramar els apunts."
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr "El pagament de l'apunt \"%(line)s\" està bloquejat."
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
"Les apunts \"%(names)s\" del tercer %(party)s es poden agrupar amb l'apunt "
"\"%(line)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
"Per eliminar el pagament \"%(payment)s\" heu de restablir el seu estat a "
"esborrany."
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr "El pagament \"%(payment)s\" paga amb excés l'apunt \"%(line)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr "L'apunt \"%(line)s\" del pagament \"%(payment)s\" ja ha està conciliat."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr "El %(type)s \"%(reference)s\" del pagament \"%(payment)s\" no és vàlid."
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr "Esteu segurs que voleu processar els pagaments?"
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Paga"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Bloqueja"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Desbloqueja"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Aprova"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Esborrany"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Falla"
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Amb èxit"
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "En procés"
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Processa"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr "Envia"
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Amb èxit"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr "Usuari a les empreses"
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr "Usuari a les empreses"
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr "Usuari a les empreses"
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr "Usuari a les empreses"
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Pagaments per defecte"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Grup de pagaments per defecte"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Grups de pagaments"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Grup de pagaments"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Crea domiciliacions bancàries"
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Efectes a pagar/cobrar"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Pagaments"
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Pagaments a pagar"
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Pagaments a cobrar"
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Grups de pagaments"
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Diaris de pagament"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Pagaments"
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr "Domiciliacions bancàries de tercers"
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr "Domiciliacions bancàries de tercers"
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Pagament"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Aprova pagaments"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "A pagar"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "A cobrar"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "A pagar"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "A cobrar"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr "Referència deutor"
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Aprovat"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Esborrany"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Fallat"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "En procés"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr "Enviat"
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Amb èxit"
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "A pagar"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "A cobrar"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "Manual"
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Balanç"
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Línia"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr "Seqüència de grup:"
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Pagament"
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr "Seqüència:"
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr "Crea domiciliacions bancàries fins la data"
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr "Complert"
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "Nombre"
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Informació pagaments"
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Amb èxit"
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Import total"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Informació addicional"
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Cobraments/Pagaments"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Crea"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Cancel·la"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Cancel·la"
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Paga"
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Cancel·la"
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Paga"

View File

@@ -0,0 +1,894 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Payment Journals"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr ""
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Payment Journals"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Lines to Pay"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Payment Journals"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Payments"
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr ""
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Approved"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr ""
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr ""
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr ""
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr ""
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr ""
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr ""
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr ""
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succeed"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Payment Journals"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr ""
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Payment Groups"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Namu"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Payment Journals"
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr ""
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr ""
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr ""
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Payment"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Account Payment Group"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr ""
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr ""
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Account Payment Group"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Pay Lines"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Payments"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Payments"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Process Payments"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Payable"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Receivable"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Approve"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "All"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Block"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Unblock"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Approve"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Draft"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fail"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Succeed"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Processing"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Succeed"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Default Account Payment Group"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Payments"
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr ""
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr ""
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Payment"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Payment Approval"
#, fuzzy
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Receivable"
#, fuzzy
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Receivable"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Approve"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "Processing"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Succeed"
#, fuzzy
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Receivable"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr ""
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr ""
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Pay Lines"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr ""
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Payment"
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr ""
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Payments"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Succeeded"
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr ""
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr ""
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Payment"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr ""
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr ""

View File

@@ -0,0 +1,854 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Nummernkreis Zahlungslauf"
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Nummernkreis Zahlung"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Unternehmen"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Nummernkreis Zahlungslauf"
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Unternehmen"
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Nummernkreis Zahlung"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Lastschrifteinzug"
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Zahlbarer Betrag"
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Zahlbarer Betrag Cache"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "Gesperrt"
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Währung Zahlung"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Lastschrifteinzug"
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr "Zahlungsart"
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Zahlungen"
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Datum"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Unternehmen"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Währung"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Journal"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Journal"
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Datum"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Betrag"
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Genehmigt von"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Unternehmen"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Währung"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Datum"
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Fehlschlag vermerkt von"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Zahlungslauf"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Journal"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Art"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Posten"
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Nummer"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr "Herkunft"
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Partei"
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Ausführungsmethode"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr "Referenz"
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr "Referenztyp"
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Status"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr "Übermittelt von"
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Erfolg vermerkt von"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Unternehmen"
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Währung"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Journal"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Art"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Nummer"
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Gesamtbetrag Zahlung"
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Zahlung erfolgreich"
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Zahlungslauf vollständig"
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Anzahl Zahlungen"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Zahlungen"
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Ausführungsmethode"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Unternehmen"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Währung"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Name"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr "Ausführungsmethode"
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Lastschrifteinzug"
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr "Lastschrifteinzüge"
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr "Identische Parteien"
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr "Lastschrifteinzüge"
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Unternehmen"
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Partei"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Lastschrifteinzug"
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Unternehmen"
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Währung"
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Journal"
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Partei"
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Ausführungsmethode"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr "Typ"
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr "Aktivieren wenn die Rechnung per Lastschrift bezahlt wird."
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr "Aktivieren wenn die Rechnungsposition per Lastschrift bezahlt wird."
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
"Es werden Lastschrifteinzüge für Postionen erstellt, die bis zu diesem Datum"
" fällig sind."
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
"Das Datum an dem die Ausführung der Zahlungen geplant ist.\n"
"Leer lassen, um das Fälligkeitsdatum der Buchungszeilen zu verwenden."
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr "Die Summe aller Zahlbeträge."
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr "Die Summe aller Beträge von erfolgreichen Zahlungen."
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr "Alle Zahlungen im Zahlungslauf sind vollständig."
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr "Die Anzahl der Zahlungen im Zahlungslauf."
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr ""
"\n"
"'payment': Zahlung"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
"Aktivieren wenn mit dem Lieferanten Lastschrifteinzug vereinbart wurde."
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr "Ausfüllen wenn Forderungen per Lastschrift eingezogen werden sollen."
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
"Aktivieren wenn mit dem Lieferanten Lastschrifteinzug vereinbart wurde."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr "Eine Sammelzahlung durchführen."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr "Eine Zahlung pro Position durchführen."
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Buchhaltung Einstellungen Zahlungslauf Nummernkreis"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr "Buchhaltung Einstellungen Zahlung Nummernkreis"
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr "Buchhaltung Buchungssatz Lastschrifteinzug erstellen Start"
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr "Buchhaltung Buchungszeile Bezahlen Frage Journal"
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr "Buchhaltung Buchungszeile Bezahlen Start"
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Buchhaltung Zahlung"
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Buchhaltung Zahlungslauf"
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Buchhaltung Zahlung Journal"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Offene Zahlungsposten"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Zahlungsposition bezahlen"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Zahlungen"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Zahlungen"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Zahlungen"
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Zahlungen Verbindlichkeiten"
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Zahlungen Forderungen"
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Zahlungen"
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Zahlungsläufe"
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Zahlungsjournale"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Zahlungen ausführen"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Lastschrifteinzug erstellen"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Verbindlichkeiten"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Forderungen"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "Alle"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Fehlgeschlagen"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "In Ausführung"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Erfolgreich"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "Alle"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Entwurf"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "In Ausführung"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Zu Genehmigen"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Auszuführen"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "Alle"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Entwurf"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "In Ausführung"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Auszuführen"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "Alle"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr "Ausstehend"
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
"Partei \"%(party)s\" kann nicht gelöscht werden, solange noch Zahlungen bei "
"Unternehmen \"%(company)s\" ausstehen."
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
"Die Buchungssätze \"%(moves)s\" enthalten Buchungszeilen, denen Zahlungen "
"zugeordnet sind. Die Zahlungen sollten zuerst annulliert werden, bevor die "
"Buchungssätze annulliert werden."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
"Den Buchungszeilen \"%(lines)s\" sind Zahlungen zugeordnet. Die Zahlungen "
"sollten zuerst annulliert werden, bevor die Buchungszeilen übertragen "
"werden."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
"Den Buchungszeilen \"%(lines)s\" sind Zahlungen zugeordnet. Die Zahlungen "
"sollten zuerst annulliert werden, bevor die Buchungszeilen gruppiert werden."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
"Den Buchungszeilen \"%(lines)s\" sind Zahlungen zugeordnet. Die Zahlungen "
"sollten zuerst annulliert werden, bevor die Buchungszeilen neu terminiert "
"werden."
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr "Für Position \"%(line)s\" ist eine Zahlsperre gesetzt."
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
"Die Buchungszeilen \"%(names)s\" für %(party)s konnten nicht mit "
"Buchungszeile \"%(line)s\" gruppiert werden."
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
"Um Zahlung \"%(payment)s\" zu löschen, muss sie auf den Entwurfsstatus "
"zurückgesetzt werden."
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr ""
"Die Zahlung \"%(payment)s\" führt zu einer Überzahlung von Position "
"\"%(line)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
"Die Buchungszeile \"%(line)s\" der Zahlung \"%(payment)s\" ist bereits "
"abgestimmt."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr "Der %(type)s \"%(reference)s\" auf Zahlung \"%(payment)s\" ist ungültig."
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr "Sollen die Zahlungen ausgeführt werden?"
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Bezahlen"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Sperren"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Sperre aufheben"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Genehmigen"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Entwurf"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fehlgeschlagen markieren"
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Erfolgreich markieren"
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "In Ausführung"
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Ausführen"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr "Übermitteln"
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Erfolgreich markieren"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr "Benutzer in Unternehmen"
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr "Benutzer in Unternehmen"
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr "Benutzer in Unternehmen"
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr "Benutzer in Unternehmen"
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Standard Zahlung"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Standard Zahlungslauf"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Zahlungslauf"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Zahlungslauf"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Lastschrifteinzug erstellen"
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Offene Zahlungsposten"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Zahlungen"
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Zahlungen Verbindlichkeiten"
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Zahlungen Forderungen"
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Zahlungsläufe"
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Zahlungsjournale"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Zahlungen"
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr "Partei Zahlung Lastschrift"
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr "Partei Erhalt Lastschrift"
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Zahlung"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Zahlungsbewilligung"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Verbindlichkeiten"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Forderungen"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Verbindlichkeiten"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Forderungen"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr "Gläubigerreferenz"
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Genehmigt"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Entwurf"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Fehlgeschlagen"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "In Ausführung"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr "Übermittelt"
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Erfolgreich"
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Verbindlichkeiten"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Forderungen"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "Manuell"
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Saldo"
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Posten"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr "Nummernkreis Zahlungslauf:"
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Zahlung"
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr "Nummernkreis:"
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr "Lastschrifteinzüge erstellen bis Datum"
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr "Vollständig"
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "Anzahl"
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Zahlungsinformationen"
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Erfolgreich"
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Gesamtbetrag"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Sonstiges"
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Zahlung"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Erstellen"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Abbrechen"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Abbrechen"
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Bezahlen"
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Abbrechen"
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Bezahlen"

View File

@@ -0,0 +1,843 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Secuencia de grupos de pago"
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Secuencia de pago"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Empresa"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Secuencia de grupos de pago"
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Secuencia de pago"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Domiciliación bancaria"
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Importe a pagar"
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Importe a pagar precalculado"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "Bloqueado"
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Moneda de pago"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Domiciliación bancaria"
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr "Clase de pago"
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Pagos"
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Fecha"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Moneda"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Diario"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Diario"
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Fecha"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Importe"
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Aprobado por"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Moneda"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Fecha"
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Error marcado por"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Grupo"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Diario"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Tipo"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Línea"
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Número"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr "Origen"
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Tercero"
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Método para procesar"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr "Referencia"
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr "Tipo referencia"
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Estado"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr "Enviado por"
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Éxito marcado por"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Moneda"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Diario"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Tipo"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Número"
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Importe total pagos"
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Pagos con éxito"
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Pagos completados"
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Número de pagos"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Pagos"
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Método para procesar"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Moneda"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Nombre"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr "Método de proceso"
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Domiciliación bancaria"
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr "Domiciliaciones bancarias"
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr "Terceros idénticos"
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr "Domiciliaciones bancarias"
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Tercero"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Domiciliación bancaria"
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Moneda"
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Diario"
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Tercero"
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Método para procesar"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr "Tipo"
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr "Marcar si la factura se paga con domiciliación bancaria."
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr "Marcar si la linea se paga con domiciliación bancaria."
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
"Crear domiciliaciones bancarias para las líneas pendientes hasta esta fecha."
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
"Cuándo está previsto realizar los pagos.\n"
"Dejar en blanco para usar la fecha de vencimiento de los efectos."
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr "La suma de los importes de los pagos."
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr "La suma de los importes de los pagos con exito."
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr "Todos los pagos del grupo han sido completados."
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr "El número de pagos en el grupo."
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr ""
"\n"
"'payment'"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Marcar si se paga al proveedor con domiciliación bancaria."
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr "Llenar para domiciliar automáticamente al cliente."
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Marcar si se paga al proveedor con domiciliación bancaria."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr "Realizar un único pago."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr "Realizar un pago por línea."
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Configuración de la secuencia de grupos de pagos"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr "Configuración contable de la secuencia de pago"
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr "Inicio crear domiciliación bancaria"
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr "Pagar efecto contable preguntar diario"
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr "Inicio pagar apunte bancario"
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Cobros/Pagos"
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Grupo de cobros/pagos"
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Diario de cobros/pagos"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Efectos a pagar/cobrar"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Pagar efectos"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Pagos"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Pagos"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Pagos"
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Pagos"
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Cobros"
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Pagos"
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Grupos de pagos"
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Diarios de pago"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Procesar pagos"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Crear domiciliaciones bancarias"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "A pagar"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "A cobrar"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "Todo"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Fallado"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "En proceso"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Con éxito"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "Todo"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Borrador"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "En proceso"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "A aprobar"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "A procesar"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "Todo"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Borrador"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "En proceso"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "A procesar"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "Todo"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr "Pendiente"
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
"No puede eliminar el tercero \"%(party)s\" mientras tenga pagos pendientes "
"con la empresa \"%(company)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
"Los asientos \"%(moves)s\" tienen apuntes con pagos. Quizás quieras cancelar"
" los pagos antes de cancelar los asientos."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
"Los apuntes \"%(lines)s\" tienen pagos. Quizás quieras cancelar los pagos "
"antes de delegar los apuntes."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
"Los apuntes \"%(lines)s\" tienen pagos. Quizás quieras cancelar los pagos "
"antes de agrupar los apuntes."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
"Los apuntes \"%(lines)s\" tienen pagos. Quizás quieras cancelar los pagos "
"antes de reprogramar los apuntes."
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr "El pago del apunte \"%(line)s\" está bloqueado."
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
"Los apuntes \"%(names)s\" del tercero %(party)s se pueden agrupar con el "
"apunte \"%(line)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
"Para eliminar el pago \"%(payment)s\" debe restablecerlo a estado borrador."
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr "El pago \"%(payment)s\" paga en exceso el apunte \"%(line)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr "El apunte \"%(line)s\" del pago \"%(payment)s\" ya ha sido conciliado."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr "El %(type)s \"%(reference)s\" del pago \"%(payment)s\" no es valido."
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr "¿Estás seguro que quieres procesar los pagos?"
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Pagar"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Bloquear"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Desbloquear"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Aprobar"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Borrador"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fallar"
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Con éxito"
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "En proceso"
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Procesar"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr "Enviar"
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Con éxito"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr "Usuario en las empresas"
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr "Usuario en las empresas"
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr "Usuario en las empresas"
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr "Usuario en las empresas"
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Pagos por defecto"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Grupo de pagos contables por defecto"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Grupo de pagos"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Grupo de pagos"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Crear domiciliaciones bancarias"
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Efectos a pagar/cobrar"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Pagos"
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Pagos a pagar"
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Pagos a cobrar"
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Grupos de pagos"
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Diarios de pago"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Pagos"
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr "Pagos domiciliados de terceros"
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr "Domiciliaciones bancarias de terceros"
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Pagos"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Aprobación de pagos"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "A pagar"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "A cobrar"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "A pagar"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "A cobrar"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr "Referencia deudor"
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Aprobado"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Borrador"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Fallado"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "En proceso"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr "Enviado"
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Con éxito"
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "A pagar"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "A cobrar"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "Manual"
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Saldo"
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Línea"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr "Secuencia de grupo:"
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Pago"
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr "Secuencia:"
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr "Crear domiciliación bancaria por fecha"
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr "Completo"
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "Número"
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Información de pagos"
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Con éxito"
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Importe total"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Información adicional"
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Cobros/Pagos"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Crear"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Cancelar"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Cancelar"
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Pagar"
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Cancelar"
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Pagar"

View File

@@ -0,0 +1,857 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Libro diario de pago"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr ""
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Libro diario de pago"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr ""
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr ""
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Libro diario de pago"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr ""
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr ""
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Libro diario"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Libros diarios"
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr ""
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr ""
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr ""
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr ""
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Libro diario"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Clase"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr ""
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr ""
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr ""
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr ""
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr ""
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr ""
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Libro diario de pago"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Libro diario"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Clase"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Libro diario de pago"
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Libro diario de pago"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Libro diario de pago"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr ""
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr ""
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Libro diario de pago"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Libro diario"
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr ""
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr ""
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr ""
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Libro diario de pago"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Libro diario de pago"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr ""
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr ""
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Libro diario de pago"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Libro diario de pago"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Libro diario de pago"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr ""
#, fuzzy
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Pagar líneas"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr ""
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr ""
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr ""
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Libro diario de pago"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Por cobrar"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Libro diario de pago"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Libro diario de pago"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Libro diario de pago"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr ""
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Por pagar"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Por cobrar"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr ""
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Fallo"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, fuzzy, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr "El pago \\\"%(payment)s\\\" excede el pago de la línea \\\"%(line)s\\\"."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr ""
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr ""
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr ""
#, fuzzy
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fallo"
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr ""
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr ""
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr ""
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr ""
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr ""
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Libro diario de pago"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr ""
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Libro diario de pago"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Por cobrar"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Libro diario de pago"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Libro diario de pago"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr ""
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr ""
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr ""
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr ""
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr ""
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Por pagar"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Por cobrar"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Por pagar"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Por cobrar"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr ""
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Por pagar"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Por cobrar"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr ""
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr ""
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Pagar línea"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr ""
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr ""
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr ""
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Libro diario de pago"
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr ""
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr ""
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Libro diario de pago"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr ""
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr ""

View File

@@ -0,0 +1,903 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Maksegrupi jada"
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Maksegrupi jada"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Ettevõte"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Maksegrupi jada"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Ettevõte"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Maksegrupi jada"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Otsene deebet"
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Tasumisele kuuluvad read"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Tasumisele kuuluvad read"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "Blokeeritud"
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Tasumise väärtus"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Otsene deebet"
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr "Tasumisevorm"
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Tasumised"
#, fuzzy
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Kuupäev"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Ettevõte"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Valuuta"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Andmik"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Andmikud"
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Kuupäev"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Väärtus"
#, fuzzy
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Kinnitatud"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Ettevõte"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Valuuta"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Kuupäev"
#, fuzzy
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Looja"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Grupp"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Andmik"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Vorm"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Rida"
#, fuzzy
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Number"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr "Päritolu"
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Osapool"
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Protsesi meetodit"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Olek"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Õnnestunud"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Ettevõte"
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Valuuta"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Andmik"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Vorm"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Number"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Tasumise väärtus"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Õnnestunud"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Tasumise grupp"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Tasumise väärtus"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Tasumised"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Protsesi meetodit"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Ettevõte"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Valuuta"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "NImetus"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr "Protsesi meetodit"
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Otsene deebet"
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr "Otsene deebet"
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
#, fuzzy
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr "Otsene deebet"
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Ettevõte"
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Osapool"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Otsene deebet"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Ettevõte"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Valuuta"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Andmik"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Osapool"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Protsesi meetodit"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr "Märgi kui arve on tasutud otse deebeti meetodil."
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr "Märgi kui rida tasutakse otse deebeti meetodil."
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
#, fuzzy
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr "Millal on tasumised planeeritud toimuma."
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Tasumine"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Kontrolli kas hankija võimaldab otse deebetit."
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Kontrolli kas hankija võimaldab otse deebetit."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Konto kinnituse tasumise grupi jada"
#, fuzzy
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr "Konto kinnituse tasumise grupi jada"
#, fuzzy
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr "Otsene deebet"
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Tasumise grupi konto"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Tasumise grupi konto"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Tasumise grupi konto"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Tasumisele kuuluvad read"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Maksa rida"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Tasumised"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Tasumised"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Tasumised"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Protsessi tasumised"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Nõue"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Tasumised"
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Tasumiste grupp"
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Tasumiste andmik"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Protsessi tasumised"
#, fuzzy
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Otsene deebet"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Kohustus"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Nõue"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "Kõik"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Ebaõnnestunud"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Protsessimine"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Õnnestunud"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "Kõik"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Mustand"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Protsessimine"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Kinnita"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Protsessi"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "Kõik"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Mustand"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Protsessimine"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Protsessi"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "Kõik"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, fuzzy, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
"Osapoolt \"%(osapooli)\" ei saa kustutada kuni neil on ootel tasumised "
"ettevõttega \"%(ettevõtetega)\""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, fuzzy, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr "Rida \"%(read)\" on tasumiseks blokeeritud"
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, fuzzy, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr "Tasumise \"%(tasumiste)\" kustutamiseks tuleb taastada mustandi staatus"
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
#, fuzzy
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Maksa"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Blokeeri"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Eemalda blokeering"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Kinnita"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Mustand"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Ebaõnnestunud"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Õnnestunud"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Protsessimine"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Protsessi"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Õnnestunud"
#, fuzzy
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr "Kasutaja ettevõttes"
#, fuzzy
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr "Kasutaja ettevõttes"
#, fuzzy
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr "Kasutaja ettevõttes"
#, fuzzy
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr "Kasutaja ettevõttes"
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Vaikimisi tasumise grupi konto"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Vaikimisi tasumise grupi konto"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Tasumise grupi konto"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Tasumise grupi konto"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Otsene deebet"
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Tasumisele kuuluvad read"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Tasumised"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Protsessi tasumised"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Nõue"
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Tasumise grupp"
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Tasumise andmik"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Tasumised"
#, fuzzy
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr "Osapoole tasumine otsene deebet"
#, fuzzy
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr "Osapoole tasumine otsene deebet"
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Tasumine"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Tasumise kinnitus"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Kohustus"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Nõue"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Kohustus"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Nõue"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Kinnitatud"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Mustand"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Ebaõnnestunud"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "Protsessimises"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Õnnestunud"
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Kohustus"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Nõue"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "Käsitsi"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Tühista"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Rida"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr "Grupeeri jada"
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Tasumine"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr "Grupeeri jada"
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "Väärtus"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Tasumised"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Õnnestunud"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Väärtus"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Muu info"
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Tasumine"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Loomise kuupäev"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Tühista"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Tühista"
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Maksa"
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Tühista"
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Maksa"

View File

@@ -0,0 +1,904 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "توالی گروه پرداخت"
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "توالی گروه پرداخت"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "شرکت"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "توالی گروه پرداخت"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "شرکت"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "توالی گروه پرداخت"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr "پرداخت مستقیم"
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "خطوط برای پرداخت"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "خطوط برای پرداخت"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "مسدود شده"
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "مبلغ پرداختی"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr "پرداخت مستقیم"
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr "نوع پرداخت"
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "پرداخت ها"
#, fuzzy
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "تاریخ"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "شرکت"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "واحد پول"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "روزنامه"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "روزنامه ها"
#, fuzzy
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "تاریخ"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "مقدار"
#, fuzzy
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "تایید شده"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "شرکت"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "واحد پول"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "تاریخ"
#, fuzzy
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "کاربر ایجاد کننده"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "گروه"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "روزنامه"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "نوع"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "خط"
#, fuzzy
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "عدد"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr "مبداء"
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "نهاد/سازمان"
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "روش پردازش"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "وضعیت"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succeed"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "شرکت"
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "واحد پول"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "روزنامه"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "نوع"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "عدد"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "مبلغ پرداختی"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "موفق شد"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "گروه پرداخت"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "مبلغ پرداختی"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "پرداخت ها"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "روش پردازش"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "شرکت"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "واحد پول"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "نام"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr "روش پردازش"
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr "پرداخت مستقیم"
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr "پرداخت مستقیم"
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
#, fuzzy
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr "پرداخت مستقیم"
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "شرکت"
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "نهاد/سازمان"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr "پرداخت مستقیم"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "شرکت"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "واحد پول"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "روزنامه"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "نهاد/سازمان"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "روش پردازش"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr "تیک بزنید اگر صورتحساب با پرداخت مستقیم پرداخت می شود."
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr "تیک بزنید اگر خط با پرداخت مستقیم پرداخت می شود."
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "پرداخت"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "تیک بزنید اگر تأمین کننده پرداخت مستقیم دارد."
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "تیک بزنید اگر تأمین کننده پرداخت مستقیم دارد."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "پیکربندی حساب توالی گروه پرداخت"
#, fuzzy
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr "پیکربندی حساب توالی گروه پرداخت"
#, fuzzy
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr "پرداخت مستقیم"
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "حساب گروه پرداخت"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "حساب گروه پرداخت"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "حساب گروه پرداخت"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "خطوط برای پرداخت"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "خطوط پرداخت"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "پرداخت ها"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "پرداخت ها"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "پرداخت ها"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "پردازش پرداخت ها"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "قابل دریافت"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "پرداخت ها"
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "گروه های پرداخت"
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "روزنامه های پرداخت"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "پردازش پرداخت ها"
#, fuzzy
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr "پرداخت مستقیم"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "قابل پرداخت"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "قابل دریافت"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "همه"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "ناموفق"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "در حال پردازش"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "موفق شد"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "همه"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "پیش‌نویس"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "در حال پردازش"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Approve"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "پردازش"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "همه"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "پیش‌نویس"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "در حال پردازش"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "پردازش"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "همه"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
"شما نمیتوانید نهاد/سازمان : \"%(party)s\" را حذف کنید در حالی که آنها در "
"انتظار پرداخت با شرکت: \"%(company)s\" هستند."
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr "سطر: \"%(line)s\"برای پرداخت مسدود شده است."
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
"برای حذف پرداخت:\"%(payment)s\" شما باید حالت آنرا به پیش نویس تنظیم مجدد "
"کنید."
#, fuzzy, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr "پرداخت : \"%s\" سطر: \"%s\" را بیش از مقدار پرداخت می کند."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
#, fuzzy
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "پرداخت"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Block"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Unblock"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Approve"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Draft"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fail"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Succeed"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "در حال پردازش"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "پردازش"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Succeed"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "حساب پیش فرض گروه پرداخت"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "حساب پیش فرض گروه پرداخت"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "حساب گروه پرداخت"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "حساب گروه پرداخت"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr "پرداخت مستقیم"
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "خطوط برای پرداخت"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "پرداخت ها"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "پردازش پرداخت ها"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "قابل دریافت"
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "گروه های پرداخت"
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "روزنامه های پرداخت"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "پرداخت ها"
#, fuzzy
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr "پرداخت نهاد/سازمان با پرداخت مستقیم"
#, fuzzy
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr "پرداخت نهاد/سازمان با پرداخت مستقیم"
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "پرداخت"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "تایید پرداخت"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "قابل پرداخت"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "قابل دریافت"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "قابل پرداخت"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "قابل دریافت"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "تایید شده"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "پیش‌نویس"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "ناموفق"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "در حال پردازش"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "موفق شد"
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "قابل پرداخت"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "قابل دریافت"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "دستی"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "انصراف"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "خط"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr "ادامه گروه"
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "پرداخت"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr "ادامه گروه"
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "مقدار"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "پرداخت ها"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "موفق شد"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "مقدار"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "سایر اطلاعات"
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "پرداخت"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "تاریخ ایجاد"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "انصراف"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "انصراف"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "پرداخت"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "انصراف"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "پرداخت"

View File

@@ -0,0 +1,893 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Payment Journals"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr ""
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Payment Journals"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Lines to Pay"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Payment Journals"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Payments"
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr ""
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Approved"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr ""
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr ""
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr ""
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr ""
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr ""
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr ""
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr ""
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succeed"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Payment Journals"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr ""
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Payment Groups"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr ""
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Payment Journals"
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr ""
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr ""
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr ""
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Payment"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Account Payment Group"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr ""
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr ""
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Account Payment Group"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Pay Lines"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Payments"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Payments"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Process Payments"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Payable"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Receivable"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Approve"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "All"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Block"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Unblock"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Approve"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Draft"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fail"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Succeed"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Processing"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Succeed"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Default Account Payment Group"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Payments"
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr ""
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr ""
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Payment"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Payment Approval"
#, fuzzy
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Receivable"
#, fuzzy
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Receivable"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Approve"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "Processing"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Succeed"
#, fuzzy
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Receivable"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr ""
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr ""
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Pay Lines"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr ""
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Payment"
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr ""
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Payments"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Succeeded"
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr ""
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr ""
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Payment"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr ""
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr ""

View File

@@ -0,0 +1,848 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Séquence de groupe de paiements"
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Séquence de paiement"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Société"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Séquence de groupe de paiements"
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Société"
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Séquence de paiement"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Prélèvement automatique"
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Montant à payer"
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Cache du montant à payer"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "Bloquée"
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Devise du paiement"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Prélèvement automatique"
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr "Genre de paiement"
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Paiements"
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Date"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Société"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Devise"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Journal"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Journaux"
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Date"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Montant"
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Approuvé par"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Société"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Devise"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Date"
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Échec signalé par"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Groupe"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Journal"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Genre"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Ligne"
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Numéro"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr "Origine"
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Tiers"
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Méthode de traitement"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr "Référence"
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr "Type de référence"
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "État"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr "Soumis par"
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succès noté par"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Société"
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Devise"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Journal"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Genre"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Numéro"
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Montant total du paiement"
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Paiement réussi"
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Paiement complet"
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Nombre de paiements"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Paiements"
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Méthode de traitement"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Société"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Devise"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Nom"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr "Méthode de traitement"
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Prélèvement automatique"
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr "Prélèvements automatiques"
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr "Tiers identiques"
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr "Prélèvements automatiques"
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Société"
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Tiers"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Prélèvement automatique"
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Société"
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Devise"
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Journal"
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Tiers"
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Méthode de traitement"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr "Type"
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr "Cochez si la facture est payée par prélèvement automatique."
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr "Cochez si la ligne sera payée par prélèvement automatique."
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
"Créez un prélèvement automatique pour les lignes dues jusqu'à cette date."
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
"Quand les paiements doivent avoir lieu.\n"
"Laissez vide pour utiliser les dates d'échéance des lignes."
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr "La somme de tous les montants de paiement."
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr "La somme des montants des paiements réussis."
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr "Tous les paiements du groupe sont complets."
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr "Le nombre de paiements dans le groupe."
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr ""
"\n"
"'paiement'"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Cochez si le fournisseur prélève automatiquement."
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr "Remplir pour débiter automatiquement le client."
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Cochez si le fournisseur prélève automatiquement."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr "Effectuer un paiement unique."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr "Effectuer un paiement par ligne."
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Configuration comptable Séquence de groupe de paiement"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr "Configuration comptable Séquence de paiement"
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr ""
"Créer les prélèvement automatique de lignes de mouvement comptable Début"
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr "Payer des lignes de mouvement comptable Demande de journal"
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr "Payer des lignes de mouvement comptable Début"
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Paiement comptable"
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Groupe de paiement comptable"
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Journal de paiement comptable"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Lignes à payer"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Payer les lignes"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Paiements"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Paiements"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Paiements"
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Paiements à payer"
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Paiements à recevoir"
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Paiements"
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Groupes de paiements"
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Journaux de paiement"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Traiter les paiements"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Créer les prélèvements automatiques"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "À payer"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "À recevoir"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "Tous"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Échoués"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "En traitement"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Réussis"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "Tous"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Brouillons"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "En traitements"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "À approuver"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "À traiter"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "Tous"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Brouillons"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "En traitements"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "À traiter"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "Tous"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr "En attentes"
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
"Vous ne pouvez pas effacer le tiers « %(party)s » tant qu'il y a des "
"paiements en attente avec la société « %(company)s »."
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
"Les mouvements « %(moves)s » contiennent des lignes avec des paiements, vous"
" souhaiterez peut-être les annuler avant d'annuler."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
"Les lignes « %(lines)s » contiennent des paiements, vous souhaiterez peut-"
"être les annuler avant de déléguer."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
"Les lignes « %(lines)s » contiennent des paiements, vous souhaiterez peut-"
"être les annuler avant de les regrouper."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
"Les lignes « %(lines)s » contiennent des paiements, vous souhaiterez peut-"
"être les annuler avant de les re-planifier."
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr "La ligne « %(line)s » est bloquée pour le paiement."
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
"Les lignes « %(names)s » pour %(party)s peuvent être groupées avec la ligne "
"« %(line)s »."
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
"Pour supprimer le paiement « %(payment)s », vous devez le réinitialiser à "
"l'état brouillon."
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr "Le paiement « %(payment)s » surpaye la ligne « %(line)s »."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
"La ligne « %(line)s » du paiement « %(payment)s » est déjà réconciliée."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
"Le %(type)s \"%(reference)s\" sur le paiement \"%(payment)s\" n'est pas "
"valide."
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr "Êtes-vous sûr de vouloir traiter les paiements ?"
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Payer"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Bloquer"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Débloquer"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Approuver"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Brouillon"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Échouer"
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Réussir"
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "En traitement"
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Traiter"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr "Soumettre"
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Réussir"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr "Utilisateur dans les sociétés"
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr "Utilisateur dans les sociétés"
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr "Utilisateur dans les sociétés"
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr "Utilisateur dans les sociétés"
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Compte de paiement par défaut"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Groupe de paiements comptable par défaut"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Groupe de paiements comptable"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Groupe de paiements comptable"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Créer les prélèvements automatiques"
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Lignes à payer"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Paiements"
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Paiements à payer"
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Paiements à recevoir"
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Groupes de paiements"
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Journaux de paiement"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Paiements"
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr "Paiement tiers par prélèvement automatique"
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr "Réception tiers de prélèvement automatique"
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Paiement"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Approbation de paiement"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Fournisseur"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Compte client"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Fournisseur"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Compte client"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr "Référence du créancier"
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Approuvé"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Brouillon"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Échoué"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "En traitement"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr "Soumis"
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Réussi"
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Fournisseur"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Compte client"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "Manuelle"
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Balance"
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Ligne"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr "Séquence de groupe :"
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Paiement"
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr "Séquence :"
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr "Créer les prélèvements automatiques pour la date"
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr "Complet"
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "Nombre"
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Informations sur les paiements"
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Réussi"
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Montant total"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Autre information"
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Paiement"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Créer"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Annuler"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Annuler"
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Payer"
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Annuler"
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Payer"

View File

@@ -0,0 +1,920 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Társaság"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Társaság"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Payment Journals"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Lines to Pay"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Payment Journals"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Dátum"
#, fuzzy
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Társaság"
#, fuzzy
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Pénznem"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Dátum"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Approved"
#, fuzzy
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Társaság"
#, fuzzy
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Pénznem"
#, fuzzy
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Dátum"
#, fuzzy
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Által létrehozva "
#, fuzzy
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Csoport"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr ""
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Szám"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Partner"
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Állapot"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succeed"
#, fuzzy
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Társaság"
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Pénznem"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Szám"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Payment Groups"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Process Payments"
#, fuzzy
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Társaság"
#, fuzzy
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Pénznem"
#, fuzzy
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Név"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr ""
#, fuzzy
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Társaság"
#, fuzzy
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Partner"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Társaság"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Pénznem"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Partner"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr ""
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr ""
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Payment"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Account Payment Group"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr ""
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr ""
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Account Payment Group"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Pay Lines"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Payments"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Payments"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Payments"
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Process Payments"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Payable"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Receivable"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "Összes"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "Összes"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Approve"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "Összes"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "Összes"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
#, fuzzy
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Partner"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Block"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Unblock"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Approve"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Draft"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fail"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Succeed"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Processing"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Succeed"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Default Account Payment Group"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Payments"
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr ""
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr ""
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Payment"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Payment Approval"
#, fuzzy
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Receivable"
#, fuzzy
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Receivable"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Approve"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "Processing"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Succeed"
#, fuzzy
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Receivable"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr ""
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Mégse"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Pay Lines"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr ""
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Payment"
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr ""
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Payments"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Succeeded"
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr ""
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr ""
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Payment"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Létrehozás détuma"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Mégse"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Mégse"
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr ""
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Mégse"
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr ""

View File

@@ -0,0 +1,887 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Pembayaran"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Perusahaan"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Perusahaan"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Pembayaran"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Jumlah"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Jumlah"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "Diblokir"
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Pembayaran"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Debit Langsung"
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr ""
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Pembayaran"
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Tanggal"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Perusahaan"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Mata Uang"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Jurnal"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Jurnal-Jurnal"
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Tanggal"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Jumlah"
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Disetujui oleh"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Perusahaan"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Mata Uang"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Tanggal"
#, fuzzy
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Dibuat oleh"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Kelompok"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Jurnal"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Jenis"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Baris"
#, fuzzy
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Nomor"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr "Asal"
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Pihak"
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Metode Proses"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Status"
#, fuzzy
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr "Disunting oleh"
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Berhasil"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Perusahaan"
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Mata uang"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Jurnal"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Jenis"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Nomor"
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr ""
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Pembayaran"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Pembayaran"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Pembayaran"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Metode proses"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Perusahaan"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Mata Uang"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Nama"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Debit Langsung"
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
#, fuzzy
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr "Debit Langsung"
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Perusahaan"
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Pihak"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Debit Langsung"
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Perusahaan"
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Mata Uang"
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Jurnal"
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Pihak"
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Metode Proses"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr ""
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr ""
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Pembayaran"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Pembayaran"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr ""
#, fuzzy
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr "Debit Langsung"
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Pembayaran"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Pembayaran"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Pembayaran"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr ""
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr ""
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Pembayaran-Pembayaran"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Pembayaran-Pembayaran"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Pembayaran-Pembayaran"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Proses Pembayaran?"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Piutang"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Pembayaran"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Pembayaran"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Pembayaran"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr ""
#, fuzzy
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Debit Langsung"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Utang"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Piutang"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr ""
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Gagal"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Proses"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Berhasil"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr ""
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Rancangan"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Proses"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Setuju"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Proses"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr ""
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Rancangan"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Proses"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Proses"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
"Anda tidak dapat manghapus pihak \"%(party)s\" selagi ada pembayaran yang "
"tertunda dengan perusahaan \"%(company)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
#, fuzzy
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Bayar"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr ""
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Setuju"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Rancangan"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Gagal"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Berhasil"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Proses"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Proses"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Berhasil"
#, fuzzy
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr "Pengguna di dalam perusahaan"
#, fuzzy
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr "Pengguna di dalam perusahaan"
#, fuzzy
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr "Pengguna di dalam perusahaan"
#, fuzzy
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr "Pengguna di dalam perusahaan"
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr ""
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Pembayaran"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr ""
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Debit Langsung"
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Pembayaran"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Proses Pembayaran?"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Piutang"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Pembayaran"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Pembayaran"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Pembayaran-Pembayaran"
#, fuzzy
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr "Debit Langsung"
#, fuzzy
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr "Debit Langsung"
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Pembayaran"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr ""
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Utang"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Piutang"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Utang"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Piutang"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Disetujui"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Rancangan"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Gagal"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr ""
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Utang"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Piutang"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr ""
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Batal"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Baris"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr ""
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Pembayaran"
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr ""
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "Jumlah"
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Info Pembayaran"
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Berhasil"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Jumlah"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Info Lain"
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Pembayaran"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Dibuat di"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Batal"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Batal"
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Bayar"
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Batal"
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Bayar"

View File

@@ -0,0 +1,912 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Sequenza gruppo pagamenti"
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Sequenza gruppo pagamenti"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Azienda"
#, fuzzy
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Sequenza gruppo pagamenti"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Azienda"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Sequenza gruppo pagamenti"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Lines to Pay"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "Bloccato"
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Importo pagamento"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr "Tipo pagamento"
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Pagamenti"
#, fuzzy
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Azienda"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Valuta"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Registro"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Registri"
#, fuzzy
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Importo"
#, fuzzy
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Approved"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Azienda"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Valuta"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Data"
#, fuzzy
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Creazione Utente"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Gruppo"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Registro"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Tipo"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Riga"
#, fuzzy
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Numero"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr "Origine"
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Controparte"
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Metodo di processo"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Stato"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succeed"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Azienda"
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Valuta"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Registro"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Tipo"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Numero"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Importo pagamento"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Gruppo pagamento"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Importo pagamento"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Pagamenti"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Metodo di processo"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Azienda"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Valuta"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Nome"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr "Metodo di processo"
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Azienda"
#, fuzzy
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Controparti"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Azienda"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Valuta"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Registro"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Controparti"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Metodo di processo"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr ""
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr ""
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Pagamento"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Sequenza gruppo pagamenti"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr ""
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr ""
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Pay Lines"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Pagamenti"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
#, fuzzy
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Process Payments"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Receivable"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Approve"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Processa"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Processa"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "All"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, fuzzy, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr "Il pagamento \"%(payment)s\"supera la riga \"%(line)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
#, fuzzy
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Pagare"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Block"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Unblock"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Approve"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Bozza"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fail"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Succeed"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Processa"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Succeed"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Payments"
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr ""
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr ""
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Pagamento"
#, fuzzy
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Payment Approval"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Debito"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Clienti"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Debito"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Clienti"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Approvato"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Bozza"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Non riuscito"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "In corso"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Riuscito"
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Debito"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Clienti"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "Manuale"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Annulla"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Riga"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr "Sequenza gruppo"
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Pagamento"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr "Sequenza gruppo"
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "Importo"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Pagamenti"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Importo"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Altre informazioni"
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Pagamento"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Creazione Data"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Annulla"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Annulla"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Pagare"
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Annulla"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Pagare"

View File

@@ -0,0 +1,919 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "ລໍຳດັບໝວດການຈ່າຍ"
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "ລໍຳດັບໝວດການຈ່າຍ"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "ສຳນັກງານ/ຫ້ອງການ"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "ລໍຳດັບໝວດການຈ່າຍ"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "ສຳນັກງານ/ຫ້ອງການ"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "ລໍຳດັບໝວດການຈ່າຍ"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr "ການຫັກບັນຊີທະນາຄານ"
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Lines to Pay"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "ກັ້ນໄວ້"
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "ມູນຄ່າການຈ່າຍ"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr "ການຫັກບັນຊີທະນາຄານ"
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr "ຊະນິດການຈ່າຍ"
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "ການຊໍາລະເງິນ"
#, fuzzy
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "ວັນທີ"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "ສຳນັກງານ/ຫ້ອງການ"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "ສະກຸນເງິນ"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "ບັນຊີປະຈໍາວັນ"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "ບັນຊີປະຈໍາວັນ"
#, fuzzy
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "ວັນທີ"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "ມູນຄ່າ"
#, fuzzy
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Approved"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "ສຳນັກງານ/ຫ້ອງການ"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "ສະກຸນເງິນ"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "ວັນທີ"
#, fuzzy
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "ຜູ້ສ້າງ"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "ໝວດ"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "ບັນຊີປະຈໍາວັນ"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "ຊະນິດ"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "ລາຍການ"
#, fuzzy
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "ເລກທີ"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr ""
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "ພາກສ່ວນ"
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "ວິທີດຳເນີນການ"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "ສະຖານະ"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succeed"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "ສຳນັກງານ/ຫ້ອງການ"
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "ສະກຸນເງິນ"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "ບັນຊີປະຈໍາວັນ"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "ຊະນິດ"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "ເລກທີ"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "ມູນຄ່າການຈ່າຍ"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "ໝວດການຈ່າຍ"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "ມູນຄ່າການຈ່າຍ"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "ການຊໍາລະເງິນ"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "ວິທີດຳເນີນການ"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "ສຳນັກງານ/ຫ້ອງການ"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "ສະກຸນເງິນ"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "ຊື່"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr "ວິທີດຳເນີນການ"
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr "ການຫັກບັນຊີທະນາຄານ"
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr "ການຫັກບັນຊີທະນາຄານ"
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
#, fuzzy
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr "ການຫັກບັນຊີທະນາຄານ"
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "ສຳນັກງານ/ຫ້ອງການ"
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "ພາກສ່ວນ"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr "ການຫັກບັນຊີທະນາຄານ"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "ສຳນັກງານ/ຫ້ອງການ"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "ສະກຸນເງິນ"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "ບັນຊີປະຈໍາວັນ"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "ພາກສ່ວນ"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "ວິທີດຳເນີນການ"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr "ໝາຍເອົາຖ້າຫາກວ່າມີການຈ່າຍດ້ວຍການຫັກບັນຊີທະນາຄານ"
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr "ໝາຍເອົາຖເາຫາກວ່າລາຍການຈະຈ່າຍດ້ວຍຫັກບັນຊີທະນາຄານ"
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "ການຈ່າຍ"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "ໝາຍເອົາຖ້າຜູ້ສະໜອງຊໍາລະຫັກບັນຊີ"
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "ໝາຍເອົາຖ້າຜູ້ສະໜອງຊໍາລະຫັກບັນຊີ"
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "ລຳດັບກຸ່ມການກຳນົດຄ່າບັນຊີຈ່າຍ"
#, fuzzy
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr "ລຳດັບກຸ່ມການກຳນົດຄ່າບັນຊີຈ່າຍ"
#, fuzzy
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr "ການຫັກບັນຊີທະນາຄານ"
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Pay Lines"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "ການຊໍາລະເງິນ"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
#, fuzzy
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr "ການຫັກບັນຊີທະນາຄານ"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Receivable"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Approve"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "ດຳເນີນການ"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "ດຳເນີນການ"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "All"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, fuzzy, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr "ການຊໍາລະເງິນ \"%(payment)s\" ຈ່າຍເກີນ ລາຍການ \"% (line)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
#, fuzzy
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "ຈ່າຍ"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Block"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Unblock"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Approve"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Draft"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fail"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Succeed"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "ດຳເນີນການ"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Succeed"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr "ການຫັກບັນຊີທະນາຄານ"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr "ການຈ່າຍຂອງພາກສ່ວນຜ່ານຫັກບັນຊີທະນາຄານ"
#, fuzzy
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr "ການຈ່າຍຂອງພາກສ່ວນຜ່ານຫັກບັນຊີທະນາຄານ"
#, fuzzy
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Payment"
#, fuzzy
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Payment Approval"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "ຕ້ອງຈ່າຍ"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "ຕ້ອງຮັບ"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "ຕ້ອງຈ່າຍ"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "ຕ້ອງຮັບ"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "ອະນຸມັດແລ້ວ"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "ຮ່າງກຽມ"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "ລົ້ມເຫຼວ"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "ກຳລັງດຳເນີນການ"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "ສຳເລັດແລ້ວ"
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "ຕ້ອງຈ່າຍ"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "ຕ້ອງຮັບ"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "ດຳເນີນການດ້ວຍມື"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "ຍົກເລີກ"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "ລາຍການ"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr "ລຳດັບໝວດ"
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "ການຈ່າຍ"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr "ລຳດັບໝວດ"
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "ມູນຄ່າ"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "ການຊໍາລະເງິນ"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "ມູນຄ່າ"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "ຂໍ້ມູນອື່ນໆ"
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Payment"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "ວັນທີສ້າງ"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "ຍົກເລີກ"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "ຍົກເລີກ"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "ຈ່າຍ"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "ຍົກເລີກ"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "ຈ່າຍ"

View File

@@ -0,0 +1,902 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Mokėjimo grupės numeruotė"
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Mokėjimo grupės numeruotė"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Organizacija"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Mokėjimo grupės numeruotė"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Organizacija"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Mokėjimo grupės numeruotė"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Tiesioginis debetas"
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Mokėtinos eilutės"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Mokėtinos eilutės"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "Blokuoti"
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Mokėjimo suma"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Tiesioginis debetas"
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr "Mokėjimo tipas"
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Mokėjimai"
#, fuzzy
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Organizacija"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Valiuta"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Žurnalas"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Žurnalai"
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Suma"
#, fuzzy
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Patvirtinta"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Organizacija"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Valiuta"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Data"
#, fuzzy
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Sukūręs naudotojas"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Grupė"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Žurnalas"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Rūšis"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Eilutė"
#, fuzzy
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Numeris"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr "Šaltinis"
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Kontrahentas"
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Vykdymo būdas"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Būsena"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Sėkmingai"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Organizacija"
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Valiuta"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Žurnalas"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Rūšis"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Numeris"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Mokėjimo suma"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Sėkminga"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Mokėjimų grupė"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Mokėjimo suma"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Mokėjimai"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Vykdymo būdas"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Organizacija"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Valiuta"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Pavadinimas"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr "Vykdymo būdas"
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Tiesioginis debetas"
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr "Tiesioginis debetas"
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
#, fuzzy
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr "Tiesioginis debetas"
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Organizacija"
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Kontrahentas"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Tiesioginis debetas"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Organizacija"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Valiuta"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Žurnalas"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Kontrahentas"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Vykdymo būdas"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr "Pažymėkite, jei sąskaita faktūra yra apmokama tiesioginiu debetu."
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr "Pažymėkite, jei eilutė bus apmokama tiesioginiu debetu."
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
"Kada numatytas mokėjimo įvykdymas.\n"
"Palikite tuščią, kad naudoti eilučių mokėjimo data."
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Mokėjimas"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Pažymėkite, jei tiekėjas teikia tiesioginį debetą."
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Pažymėkite, jei tiekėjas teikia tiesioginį debetą."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Sąskaitos valdymo mokėjimo grupės numeruotė"
#, fuzzy
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr "Sąskaitos valdymo mokėjimo grupės numeruotė"
#, fuzzy
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr "Tiesioginis debetas"
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Account Payment Group"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Mokėtinos eilutės"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Apmokėti eilutes"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Mokėjimai"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Mokėjimai"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Mokėti"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Gautina"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Mokėjimai"
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Mokėjimų grupės"
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Mokėjimų žurnalai"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Mokėti"
#, fuzzy
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Tiesioginis debetas"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Mokėtina"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Gautina"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "Visi"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Nepavyko"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Vykdoma"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Sėkminga"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "Visi"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Juodraštis"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Vykdoma"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Patvirtinti"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Process"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "Visi"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Juodraštis"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Vykdoma"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Process"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "Visi"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
#, fuzzy
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Mokėti"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Blokuoti"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Atblokuoti"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Patvirtinti"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Juodraštis"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Nepavyko"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Sėkmingai"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Vykdoma"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Process"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Sėkmingai"
#, fuzzy
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr "Organizacijos naudotojas"
#, fuzzy
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr "Organizacijos naudotojas"
#, fuzzy
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr "Organizacijos naudotojas"
#, fuzzy
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr "Organizacijos naudotojas"
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Default Account Payment Group"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Tiesioginis debetas"
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Eilutės apmokėjimui"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Mokėjimai"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Mokėti"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Gautina"
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Mokėjimų grupės"
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Mokėjimų žurnalai"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Mokėjimai"
#, fuzzy
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr "Tiesioginis debetas"
#, fuzzy
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr "Tiesioginis debetas"
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Mokėjimas"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Mokėjimo patvirtinimas"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Mokėtina"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Gautina"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Mokėtina"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Gautina"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Patvirtinta"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Juodraštis"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Nepavyko"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "Vykdoma"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Sėkminga"
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Mokėtina"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Gautina"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "Rankiniu būdu"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Atsisakyti"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Eilutė"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr "Grupės numeruotė"
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Mokėjimas"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr "Grupės numeruotė"
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "Suma"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Mokėjimai"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Sėkminga"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Suma"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Kita informacija"
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Mokėjimas"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Sukūrimo data"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Atsisakyti"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Atsisakyti"
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Mokėti"
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Atsisakyti"
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Mokėti"

View File

@@ -0,0 +1,846 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Volgorde van de betalingsgroepen"
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Betalingen reeks"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Bedrijf"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Volgorde van de betalingsgroepen"
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Bedrijf"
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Betalingen reeks"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Automatische incasso"
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Te betalen bedrag"
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Cache te betalen bedrag"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "geblokkeerd"
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Betalingsvaluta"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Automatische incasso"
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr "Betaling Soort"
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "betalingen"
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Datum"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Bedrijf"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Valuta"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Dagboek"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Dagboeken"
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Datum"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Bedrag"
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Goedgekeurd door"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Bedrijf"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Valuta"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Datum"
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Mislukking gemeld door"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Groep"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Dagboek"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Soort"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Regel"
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Nummer"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr "Oorsprong"
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Relatie"
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Uitvoeringsmethode"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr "Referentie"
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr "Soort referentie"
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Status"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr "Ingediend door"
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succes opgemerkt door"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Bedrijf"
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Valuta"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Dagboek"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Soort"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Nummer"
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Betaling Totaalbedrag"
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Betaling geslaagd"
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Betaling voltooid"
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Aantal betalingen"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "betalingen"
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Uitvoeringsmethode"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Bedrijf"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Valuta"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Naam"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr "Uitvoeringsmethode"
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Automatische incasso"
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr "Automatische incasso"
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr "Identieke Relaties"
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr "Automatische incasso"
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Bedrijf"
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Relatie"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Automatische incasso"
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Bedrijf"
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Valuta"
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Dagboek"
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Relatiie"
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Uitvoeringsmethode"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr "Soort"
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr "Vink aan als de factuur per automatische incasso wordt betaald."
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr "Vink aan als de regel via automatische incasso wordt betaald."
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
"Maak automatische incasso aan voor lijnen die tot deze datum vervallen."
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
"Wanneer de uitvoering van de betalingen gepland is.\n"
"Laat dit leeg om de vervaldatum te gebruiken ."
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr "De som van alle betalingsbedragen."
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr "De som van de bedragen van de succesvolle betalingen."
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr "Alle betalingen in de groep zijn voltooid."
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr "Het aantal betalingen in de groep."
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr ""
"\n"
"'betaling'"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Controleer of de leverancier een automatische incasso uitvoert."
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr "Vul in om de klant automatisch te debiteren."
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Controleer of de leverancier een automatische incasso uitvoert."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr "Doe een eenmalige betaling."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr "Maak één betaling per regel."
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Grootboek configuratie betalingsgroepen reeks"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr "Grootboek configuratie betaling reeks"
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr "Grootboek boekingsregel maak automatische afschrijving start"
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr "Grootboek boekingsregel betaling vraag dagboek"
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr "Grootboek boekingsregel betaling start"
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Grootboek betaling"
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Grootboek betalingsgroep"
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Grootboek betalingen dagboek"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Te betalen boekingen"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Betaallijnen"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Betalingen"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Betalingen"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Betalingen"
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Betaalbare betalingen"
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Te ontvangen betalingen"
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Betalingen"
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Betalingsgroepen"
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Betalingsdagboeken"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Verwerk betalingen"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Automatische incasso aanmaken"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Te betalen"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Te ontvangen"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "Alles"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Mislukt"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "In behandeling"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Geslaagd"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "Alles"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Concept"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "In behandeling"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Naar goedkeuren"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Naar uitvoeren"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "Alles"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Concept"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "In behandeling"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Naar uitvoeren"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "Alles"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr "In behandeling"
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
"U kunt relatie \"%(party)s\" niet verwijderen terwijl ze betalingen open "
"hebben staan bij bedrijf \"%(company)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
"De boekingen \"%(moves)s\" bevatten regels met betalingen, mogelijk wilt u "
"deze annuleren voordat boekingen worden geannuleerd."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
"De regels \"%(lines)s\" bevatten betalingen, mogelijk wilt u deze annuleren "
"voordat de regels worden gedelegeerd."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
"De regels \"%(lines)s\" bevatten betalingen, mogelijk wilt u deze annuleren "
"voordat de regels worden gegroepeerd."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
"De regels \"%(lines)s\" bevatten betalingen, mogelijk wilt u deze annuleren "
"voordat de regels worden herpland."
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr "Regel \"%(line)s\" is geblokkeerd voor betaling."
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
"De regels \"%(names)s\" voor %(party)s kunnen worden gegroepeerd met de "
"regel \"%(line)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
"Om betaling \"%(payment)s\" te verwijderen, moet u het terugzetten naar de "
"conceptstatus."
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr ""
"Het betaalde bedrag \"%(payment)s\" is hoger dan \"%(line)s\" (te veel "
"betaald) ."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr "De regel \"%(line)s\" van betaling \"%(payment)s\" is alreeds afgeletterd."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr "De %(type)s \"%(reference)s\" op betaling \"%(payment)s\" is niet geldig."
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr "Weet u zeker dat u de betalingen wilt uitvoeren?"
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Betaal"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Block"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "deblokkeren"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Goedkeuren"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Concept"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "mislukt"
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "geslaagd"
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "In behandeling"
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Uitvoeren"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr "Indienen"
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "geslaagd"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr "Gebruiker in het bedrijf"
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr "Gebruiker in het bedrijf"
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr "Gebruiker in het bedrijf"
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr "Gebruiker in het bedrijf"
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Standaard betalingen rekening"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Standaard rekening betalingsgroep"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Rekening groupsbetalingen"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Rekeningbetalingsgroep"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Automatische incasso aanmaken"
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Te betalen lijnen"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Betalingen"
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Betaalbare betalingen"
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Te ontvangen betalingen"
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Betalingsgroepen"
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Betalingsdagboeken"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Betalingen"
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr "Relatie betaling per automatische afschrijving"
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr "Relatie ontvangst automatische afschrijving"
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Betaling"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Betalingsgoedkeuring"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Te betalen"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Te ontvangen"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Te betalen"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Te ontvangen"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr "Referentie schuldeiser"
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Goedgekeurd"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Concept"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "mislukt"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "In behandeling"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr "Ingediend"
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Geslaagd"
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Te betalen"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Te ontvangen"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "Handmatig"
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Balans"
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Regel"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr "Groepsvolgorde:"
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Betaling"
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr "Reek:"
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr "Maak automatische incasso voor datum"
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr "Voltooien"
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "tellen"
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Betalings Info"
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Geslaagd"
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Totaal bedrag"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Overige informatie"
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Betaling"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Aanmaken"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Annuleren"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Annuleren"
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Betalen"
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Annuleren"
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Betalen"

View File

@@ -0,0 +1,856 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Payment Journals"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Firma"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Firma"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Payment Journals"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Polecenie zapłaty"
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Kwota do zapłaty"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Kwota do zapłaty"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "Zablokowane"
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Payment Journals"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Polecenie zapłaty"
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr ""
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Płatności"
#, fuzzy
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Firma"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Waluta"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Dziennik"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr ""
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Kwota"
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Zatwierdzone przez"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Firma"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Waluta"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Niepowodzenie odnotowane przez"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Grupa"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Dziennik"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Rodzaj"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Pozycja"
#, fuzzy
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Numer"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr "Źródło"
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Strona"
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Stan"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr "Przekazane przez"
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Sukces odnotowany przez"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Firma"
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Waluta"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Dziennik"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Rodzaj"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Numer"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Payment Groups"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Payment Journals"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Płatności"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Firma"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Waluta"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Nazwa"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr "Metoda przetwarzania"
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Polecenie zapłaty"
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr "Polecenia zapłaty"
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr "Polecenia zapłaty"
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Firma"
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Strona"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Polecenie zapłaty"
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Firma"
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Waluta"
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Dziennik"
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Strona"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr "Zaznacz jeśli faktura jest opłacana poprzez polecenie zapłaty."
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr ""
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr "Suma kwot wszystkich płatności."
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr "Suma kwot udanych płatności."
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr "Wszystkie płatności w grupie są zakończone."
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr "Liczba płatności w grupie."
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Płatność"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Zaznacz, jeśli dostawca obsługuje polecenie zapłaty."
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Zaznacz, jeśli dostawca obsługuje polecenie zapłaty."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Account Payment Group"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr ""
#, fuzzy
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr "Utwórz polecenie zapłaty dla daty"
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Account Payment Group"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Pozycje do zapłaty"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Opłać pozycje"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Płatności"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Płatności"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Płatności"
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Płatności do zapłaty"
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Płatności należne"
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Płatności"
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Grupy płatności"
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Dzienniki płatności"
#, fuzzy
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Process Payments"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Utwórz polecenie zapłaty"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Do zapłaty"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Należne"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "Wszystkie"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Nieudane"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "W realizacji"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Udane"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "Wszystkie"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Szkic"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "W realizacji"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Do zatwierdzenia"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Do realizacji"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "Wszystkie"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Szkic"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "W realizacji"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Do realizacji"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "Wszystkie"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr "W toku"
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr "Pozycja \"%(line)s\" ma zablokowaną płatność."
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr "Czy na pewno chcesz zrealizować płatności?"
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Zapłać"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Zablokuj"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Odblokuj"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Zatwierdź"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Szkic"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Niepowodzenie"
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Powodzenie"
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "W realizacji"
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Realizuj"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr "Przekaż"
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Powodzenie"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Default Account Payment Group"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Utwórz polecenie zapłaty"
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Pozycje do zapłaty"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Płatności"
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Płatności do zapłaty"
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Płatności należne"
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Grupy płatności"
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Dzienniki płatności"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Płatności"
#, fuzzy
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr "Utwórz polecenie zapłaty"
#, fuzzy
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr "Utwórz polecenie zapłaty"
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Płatność"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Payment Approval"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Do zapłaty"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Należne"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Do zapłaty"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Należne"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Zatwierdzone"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Szkic"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Nieudane"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "W realizacji"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr "Przekazane"
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Udane"
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Do zapłaty"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Należne"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "Ręcznie"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Anuluj"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Pozycja"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr "Sekwencja grupy"
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Płatność"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr "Sekwencja grupy"
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr "Utwórz polecenie zapłaty dla daty"
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr "Zakończone"
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "Liczba"
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Informacje o płatnościach"
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Udane"
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Kwota łączna"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Inne informacje"
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Płatność"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Utwórz"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Anuluj"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Anuluj"
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Zapłać"
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Anuluj"
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Opłać"

View File

@@ -0,0 +1,915 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Sequência do Grupo de Pagamento"
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Sequência do Grupo de Pagamento"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Empresa"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Sequência do Grupo de Pagamento"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Empresa"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Sequência do Grupo de Pagamento"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Débito Direto"
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Lines to Pay"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "Bloqueado"
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Montante do Pagamento"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Débito Direto"
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr "Classe de Pagamento"
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Pagamentos"
#, fuzzy
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Moeda"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Diário"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Diários"
#, fuzzy
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Montante"
#, fuzzy
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Approved"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Moeda"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Data"
#, fuzzy
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Criado por"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Grupo"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Diário"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Classe"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Linha"
#, fuzzy
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Número"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr "Origem"
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Pessoa"
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Método de Processo"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Estado"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succeed"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Empresa"
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Moeda"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Diário"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Classe"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Número"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Montante do Pagamento"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Grupo de Pagamentos"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Montante do Pagamento"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Pagamentos"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Método de Processo"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Moeda"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Nome"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr "Método de Processo"
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Débito Direto"
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr "Débitos Diretos"
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
#, fuzzy
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr "Débitos Diretos"
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Empresa"
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Pessoa"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Débito Direto"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Empresa"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Moeda"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Diário"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Pessoa"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Método de Processo"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr "Marque se a fatura foi paga por Débito Direto."
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr "Marque se a linha será paga por Débito Direto."
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr ""
"\n"
"'pagamento'"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Marque se o fornecedor faz débito direto."
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Marque se fornecedor faz débito direto."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Configurações de Sequência de Pagamento Agrupado"
#, fuzzy
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr "Configurações de Sequência de Pagamento Agrupado"
#, fuzzy
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr "Débito Direto"
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Pay Lines"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Pagamentos"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
#, fuzzy
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Débito Direto"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Receivable"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Approve"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Processar"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Processar"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "All"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, fuzzy, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr "O Pagamento \"%(payment)s\" excede a Linha \"%(line)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
#, fuzzy
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Pagar"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Block"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Unblock"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Approve"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Draft"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fail"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Succeed"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Processar"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Succeed"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Débito Direto"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr "Pagamento da Pessoa Débito Direto"
#, fuzzy
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr "Pagamento da Pessoa Débito Direto"
#, fuzzy
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Payment"
#, fuzzy
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Payment Approval"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Pagável"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Recebível"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Pagável"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Recebível"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Aprovado"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Rascunho"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Falhou"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "Processando"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Sucesso"
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Pagável"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Recebível"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "Manual"
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Saldo"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Linha"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr "Sequência do Grupo:"
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Pagamento"
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr "Sequência:"
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "Contagem"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Pagamentos"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Succeeded"
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Montante Total"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Outras informações"
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Payment"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Data de criação"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Cancelar"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Cancelar"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Pagar"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Cancelar"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Pagar"

View File

@@ -0,0 +1,862 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Secventa Grupului de Plati"
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Secventa Grupului de Plati"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Societate"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Secventa Grupului de Plati"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Societate"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Secventa Grupului de Plati"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Debit Direct"
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Suma de Plata"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Suma de Plata"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "Blocat"
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Moneda de Plată"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Debit Direct"
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr "Fel de Plata"
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Plati"
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Societate"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Valută"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Jurnal"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Jurnale"
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Suma"
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Aprobat de"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Societate"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Valuta"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Data"
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Eșec Remarcat de"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Grup"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Jurnal"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Fel"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Rând"
#, fuzzy
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Numar"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr "Origine"
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Parte"
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Metoda de Procesare"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Stare"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr "Trimis de"
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succes Remarcat de"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Societate"
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Moneda"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Jurnal"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Fel"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Numar"
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Suma Totala de Plata"
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Plata a Reușit"
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Plata Finalizata"
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Numar de Plati"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Plati"
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Metoda de Procesare"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Societate"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Moneda"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Nume"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr "Metoda de Procesare"
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Debit Direct"
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr "Debite Directe"
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr "Parti Identice"
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr "Debite Directe"
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Societate"
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Parte"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Debit Direct"
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Societate"
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Moneda"
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Jurnal"
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Parte"
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Metoda de Procesare"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr "Verifica daca factura este platita prin debit direct."
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr "Verifica daca linia va fi platita prin debit direct."
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr "Creează debit direct pentru rândurile scadente până în această dată."
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
"Când plățile sunt programate să aibă loc.\n"
"Lăsați gol pentru a utiliza datele de scadență ale rândurilor."
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr "Totalul sumelor de plata."
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr "Totalul sumelor platilor reusite."
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr "Toate platile din grup sunt complete."
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr "Numarul de plati din grup."
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Plată"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Verificați dacă furnizorul efectuează debitare directă."
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr "Completați pentru a debita automat clientul."
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Verificați dacă furnizorul efectuează debitare directă."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Secventa Grupului de Plaţi - Configurare Cont"
#, fuzzy
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr "Secventa Grupului de Plaţi - Configurare Cont"
#, fuzzy
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr "Creare Debit Direct pentru Data de"
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Grup de Plata in Cont"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Grup de Plata in Cont"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Grup de Plata in Cont"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Rânduri de Plată"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Rânduri de Plată"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Plati"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Plati"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Plati"
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Plăţi Furnizor"
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Plăţi Client"
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Plati"
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Grupuri de Plati"
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Jurnale de Plati"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Proceseaza Platile"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Creare Debit Direct"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Furnizor"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Client"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "Tot"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Esuat"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Procesare"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Reusit"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "Tot"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Ciorna"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Procesare"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "De Aprobat"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "De Procesat"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "Tot"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Ciorna"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Procesare"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "De Procesat"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "Tot"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr "In derulare"
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
"Nu puteți șterge partea \"%(party)s\" în timp ce aceasta are plăți în "
"așteptare cu compania \"%(company)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
"Mișcările \"%(moves)s\" conțin rânduri cu plăți, vă recomandăm să le anulați"
" înainte."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
"Rândurile \"%(lines)s\" au plăți, vă recomandăm să le anulați înainte de a "
"delega."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
"Rândurile \"%(lines)s\" au plăți, este posibil să doriți să le anulați "
"înainte de grupare."
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
"Rândurile \"%(lines)s\" au plăți, vă recomandăm să le anulați înainte de a "
"reprograma."
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr "Rândul \"%(line)s\" este blocat pentru plată."
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
"Rândurile \"%(names)s\" pentru %(party)s pot fi grupate cu rândul "
"\"%(line)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
"Pentru a șterge plata \"%(payment)s\", trebuie să o resetați la starea de "
"ciornă."
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr "Plata \"%(payment)s\" plătește în exces linia \"%(line)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr "Rândul \"%(line)s\" al plății \"%(payment)s\" este deja reconciliat."
#, fuzzy, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr "Rândul \"%(line)s\" al plății \"%(payment)s\" este deja reconciliat."
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr "Sigur doriți să procesați plățile?"
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Plata"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Blocare"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Deblocare"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Aproba"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Ciorna"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Esuat"
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Reusit"
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Procesare"
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Proces"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr "Trimite"
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Reusit"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr "Utilizator in Companii"
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr "Utilizator in Companii"
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr "Utilizator in Companii"
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr "Utilizator in Companii"
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Grup de plată implicit pentru cont"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Grup de plată implicit pentru cont"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Grup de Plata in Cont"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Grup de Plata in Cont"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Creare Debit Direct"
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Randuri de Plata"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Plati"
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Plăti Furnizor"
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Plati de Creanta"
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Grupuri de Plati"
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Jurnale de Plati"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Plati"
#, fuzzy
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr "Debitare Directă de Plată a Părților"
#, fuzzy
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr "Parte Recepţie Debit Direct"
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Plată"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Aprobare Plata"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Furnizor"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Creanţa"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Furnizor"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Client"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Aprobat"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Ciorna"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Esuat"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "In Curs de Procesare"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr "Depus"
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Reusit"
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Furnizor"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Creanţe"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "Manual"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Anulare"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Rând"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr "Secventa de Grup"
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Plată"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr "Secventa de Grup"
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr "Creare Debit Direct pentru Data de"
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr "Complet"
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "Numărare"
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Informatii de Plata"
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Reusit"
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Suma Totala"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Alte Informatii"
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Plată"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Creare"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Anulare"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Anulare"
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Plata"
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Anuleaza"
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Plata"

View File

@@ -0,0 +1,942 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Сумма оплаты"
#, fuzzy
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Учет.орг."
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Учет.орг."
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Сумма оплаты"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Строки к оплате"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Строки к оплате"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Сумма оплаты"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Оплата"
#, fuzzy
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Дата"
#, fuzzy
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Учет.орг."
#, fuzzy
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Валюты"
#, fuzzy
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Журнал"
#, fuzzy
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Журнал"
#, fuzzy
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Дата"
#, fuzzy
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Сумма"
#, fuzzy
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Approved"
#, fuzzy
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Учет.орг."
#, fuzzy
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Валюты"
#, fuzzy
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Дата"
#, fuzzy
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Создано пользователем"
#, fuzzy
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Группа"
#, fuzzy
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Журнал"
#, fuzzy
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Вид"
#, fuzzy
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Строка"
#, fuzzy
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Номер"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Организации"
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Штат"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succeed"
#, fuzzy
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Учет.орг."
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Валюты"
#, fuzzy
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Журнал"
#, fuzzy
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Вид"
#, fuzzy
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Номер"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Сумма оплаты"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Payment Groups"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Сумма оплаты"
#, fuzzy
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Оплата"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Process Payments"
#, fuzzy
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Учет.орг."
#, fuzzy
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Валюты"
#, fuzzy
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Правило оплаты"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr ""
#, fuzzy
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Учет.орг."
#, fuzzy
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Организации"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Учет.орг."
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Валюты"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Журнал"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Организации"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr ""
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr ""
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Оплата"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Account Payment Group"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr ""
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr ""
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Строки к оплате"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Pay Lines"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Оплата"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Оплата"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Оплата"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Подлежащий получению"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Оплата"
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Process Payments"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Подлежащий уплате"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Подлежащий получению"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "Все"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Обслуживание"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "Все"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Черновик"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Обслуживание"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Approve"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Обработка"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "Все"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Черновик"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Обслуживание"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Обработка"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "Все"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
#, fuzzy
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Оплата"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Block"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Unblock"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Approve"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Draft"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fail"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Succeed"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Обслуживание"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Обработка"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Succeed"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Default Account Payment Group"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Строки к оплате"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Оплата"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Подлежащий получению"
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Оплата"
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr ""
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr ""
#, fuzzy
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Оплата"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Payment Approval"
#, fuzzy
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Подлежащий уплате"
#, fuzzy
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Подлежащий получению"
#, fuzzy
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Подлежащий уплате"
#, fuzzy
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Подлежащий получению"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Approve"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Черновик"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "Обслуживание"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Succeed"
#, fuzzy
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Подлежащий уплате"
#, fuzzy
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Подлежащий получению"
#, fuzzy
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "Ручной"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Отменить"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Строка"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr ""
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Оплата"
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr ""
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "Сумма"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Оплата"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Сумма"
#, fuzzy
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Другая информация"
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Оплата"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Дата создания"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Отменить"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Отменить"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Оплата"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Отменить"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Оплата"

View File

@@ -0,0 +1,919 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Številčna serija plačilnih skupin"
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Številčna serija plačilnih skupin"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr "Družba"
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr "Številčna serija plačilnih skupin"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr "Družba"
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Številčna serija plačilnih skupin"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Direktna bremenitev"
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Lines to Pay"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr "Blokiran"
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Znesek plačila"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Direktna bremenitev"
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr "Vrsta plačila"
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Plačila"
#, fuzzy
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "Datum"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr "Družba"
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr "Valuta"
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr "Dnevnik"
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr "Dnevniki"
#, fuzzy
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "Datum"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr "Znesek"
#, fuzzy
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Approved"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr "Družba"
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr "Valuta"
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "Datum"
#, fuzzy
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "Ustvaril"
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "Skupina"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr "Dnevnik"
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr "Vrsta"
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr "Postavka"
#, fuzzy
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr "Številka"
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr "Izvor"
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr "Partner"
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Način obdelave"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "Stanje"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succeed"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr "Družba"
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Valuta"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr "Dnevnik"
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr "Vrsta"
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr "Številka"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Znesek plačila"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Plačilna skupina"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Znesek plačila"
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Plačila"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Način obdelave"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr "Družba"
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr "Valuta"
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "Naziv"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr "Način obdelave"
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Direktna bremenitev"
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr "Direktne bremenitve"
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
#, fuzzy
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr "Direktne bremenitve"
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr "Družba"
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr "Partner"
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr "Direktna bremenitev"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr "Družba"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Valuta"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Dnevnik"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr "Partner"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Način obdelave"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr "Označite, če je račun bil plačan preko direktne bremenitve."
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr "Označite, če bo postavka plačana preko direktne bremenitve."
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Plačilo"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Označite, če dobavitelj uporablja direktno bremenitev."
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr "Označite, če dobabitelj uporablja direktno bremenitev."
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Konfiguracija številčne serije plačilnih skupin"
#, fuzzy
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr "Konfiguracija številčne serije plačilnih skupin"
#, fuzzy
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr "Direktna bremenitev"
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Pay Lines"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Plačila"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
#, fuzzy
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Direktna bremenitev"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Receivable"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Approve"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Obdelava"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Obdelava"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "All"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, fuzzy, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr "Plačilo \"%(payment)s\" je preplačalo postavko \"%(line)s\"."
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
#, fuzzy
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr "Plačaj"
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Block"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Unblock"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Approve"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Draft"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fail"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Succeed"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Obdelava"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Succeed"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr "Direktna bremenitev"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr "Plačilo z direktno bremenitvijo partnerja"
#, fuzzy
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr "Plačilo z direktno bremenitvijo partnerja"
#, fuzzy
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Payment"
#, fuzzy
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Payment Approval"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Obveznosti"
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Terjatve"
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Obveznosti"
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Terjatve"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Odobreno"
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "V pripravi"
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Neuspešno"
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "V obdelavi"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Uspešno"
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Obveznosti"
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Terjatve"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr "Ročno"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "Prekliči"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Postavka"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr "Številčna serija skupin"
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Plačilo"
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr "Številčna serija skupin"
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr "Znesek"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Plačila"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr "Znesek"
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr "Drugo"
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Payment"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "Ustvarjeno ob"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "Prekliči"
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "Prekliči"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr "Plačaj"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "Prekliči"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr "Plačaj"

View File

@@ -0,0 +1,893 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Payment Journals"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr ""
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Payment Journals"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Lines to Pay"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Payment Journals"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Payments"
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr ""
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Approved"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr ""
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr ""
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr ""
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr ""
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr ""
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr ""
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr ""
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succeed"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Payment Journals"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr ""
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Payment Groups"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr ""
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Payment Journals"
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr ""
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr ""
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr ""
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Payment"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Account Payment Group"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr ""
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr ""
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Account Payment Group"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Pay Lines"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Payments"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Payments"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Process Payments"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Payable"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Receivable"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Approve"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "All"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "All"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Block"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Unblock"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Approve"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Draft"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fail"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Succeed"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Processing"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Succeed"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Default Account Payment Group"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Payments"
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr ""
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr ""
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Payment"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Payment Approval"
#, fuzzy
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Receivable"
#, fuzzy
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Receivable"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Approve"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "Processing"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Succeed"
#, fuzzy
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Receivable"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr ""
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr ""
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Pay Lines"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr ""
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Payment"
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr ""
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Payments"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Succeeded"
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr ""
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr ""
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Payment"
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr ""
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr ""

View File

@@ -0,0 +1,825 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr ""
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr ""
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr ""
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr ""
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr ""
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr ""
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr ""
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr ""
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr ""
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr ""
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr ""
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr ""
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr ""
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr ""
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr ""
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr ""
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr ""
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr ""
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr ""
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr ""
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
msgctxt "field:account.payment,state:"
msgid "State"
msgstr ""
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr ""
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr ""
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr ""
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr ""
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr ""
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr ""
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr ""
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr ""
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr ""
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr ""
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr ""
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr ""
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr ""
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr ""
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr ""
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr ""
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr ""
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr ""
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr ""
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr ""
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr ""
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr ""
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr ""
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr ""
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr ""
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr ""
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr ""
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr ""
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr ""
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr ""
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr ""
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr ""
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr ""
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr ""
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr ""
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr ""
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr ""
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr ""
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr ""
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr ""
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr ""
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr ""
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr ""
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr ""
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr ""
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr ""
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr ""
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr ""
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr ""
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr ""
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr ""
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr ""
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr ""
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr ""
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr ""
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr ""
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr ""
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr ""
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr ""
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr ""
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr ""
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr ""
msgctxt "view:account.payment:"
msgid "Payment"
msgstr ""
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr ""
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr ""
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr ""

View File

@@ -0,0 +1,903 @@
#
msgid ""
msgstr "Content-Type: text/plain; charset=utf-8\n"
msgctxt "field:account.configuration,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration,payment_sequence:"
msgid "Payment Sequence"
msgstr "Payment Journals"
msgctxt "field:account.configuration.payment_group_sequence,company:"
msgid "Company"
msgstr ""
msgctxt ""
"field:account.configuration.payment_group_sequence,payment_group_sequence:"
msgid "Payment Group Sequence"
msgstr ""
msgctxt "field:account.configuration.payment_sequence,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:account.configuration.payment_sequence,payment_sequence:"
msgid "Payment Sequence"
msgstr "Payment Journals"
msgctxt "field:account.invoice,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_amount:"
msgid "Amount to Pay"
msgstr "Lines to Pay"
#, fuzzy
msgctxt "field:account.move.line,payment_amount_cache:"
msgid "Amount to Pay Cache"
msgstr "Lines to Pay"
msgctxt "field:account.move.line,payment_blocked:"
msgid "Blocked"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payment_currency:"
msgid "Payment Currency"
msgstr "Payment Journals"
msgctxt "field:account.move.line,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:account.move.line,payment_kind:"
msgid "Payment Kind"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line,payments:"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "field:account.move.line.create_direct_debit.start,date:"
msgid "Date"
msgstr "日期格式"
msgctxt "field:account.move.line.pay.ask_journal,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,currency:"
msgid "Currency"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.move.line.pay.ask_journal,journals:"
msgid "Journals"
msgstr ""
#, fuzzy
msgctxt "field:account.move.line.pay.start,date:"
msgid "Date"
msgstr "日期格式"
msgctxt "field:account.payment,amount:"
msgid "Amount"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,approved_by:"
msgid "Approved by"
msgstr "Approved"
msgctxt "field:account.payment,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.payment,currency:"
msgid "Currency"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,date:"
msgid "Date"
msgstr "日期格式"
#, fuzzy
msgctxt "field:account.payment,failed_by:"
msgid "Failure Noted by"
msgstr "添加用户"
#, fuzzy
msgctxt "field:account.payment,group:"
msgid "Group"
msgstr "用户组"
msgctxt "field:account.payment,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.payment,kind:"
msgid "Kind"
msgstr ""
msgctxt "field:account.payment,line:"
msgid "Line"
msgstr ""
msgctxt "field:account.payment,number:"
msgid "Number"
msgstr ""
msgctxt "field:account.payment,origin:"
msgid "Origin"
msgstr ""
msgctxt "field:account.payment,party:"
msgid "Party"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:account.payment,reference:"
msgid "Reference"
msgstr ""
msgctxt "field:account.payment,reference_type:"
msgid "Reference Type"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,state:"
msgid "State"
msgstr "状态"
msgctxt "field:account.payment,submitted_by:"
msgid "Submitted by"
msgstr ""
#, fuzzy
msgctxt "field:account.payment,succeeded_by:"
msgid "Success Noted by"
msgstr "Succeed"
msgctxt "field:account.payment.group,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.group,currency:"
msgid "Currency"
msgstr "Payment Journals"
msgctxt "field:account.payment.group,journal:"
msgid "Journal"
msgstr ""
msgctxt "field:account.payment.group,kind:"
msgid "Kind"
msgstr ""
msgctxt "field:account.payment.group,number:"
msgid "Number"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.group,payment_amount:"
msgid "Payment Total Amount"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:account.payment.group,payment_amount_succeeded:"
msgid "Payment Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt "field:account.payment.group,payment_complete:"
msgid "Payment Complete"
msgstr "Payment Groups"
#, fuzzy
msgctxt "field:account.payment.group,payment_count:"
msgid "Payment Count"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:account.payment.group,payments:"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "field:account.payment.group,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:account.payment.journal,company:"
msgid "Company"
msgstr ""
msgctxt "field:account.payment.journal,currency:"
msgid "Currency"
msgstr ""
#, fuzzy
msgctxt "field:account.payment.journal,name:"
msgid "Name"
msgstr "纳木"
msgctxt "field:account.payment.journal,process_method:"
msgid "Process Method"
msgstr ""
msgctxt "field:party.party,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party,payment_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party,payment_identical_parties:"
msgid "Identical Parties"
msgstr ""
msgctxt "field:party.party,reception_direct_debits:"
msgid "Direct Debits"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,company:"
msgid "Company"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,party:"
msgid "Party"
msgstr ""
msgctxt "field:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Direct Debit"
msgstr ""
msgctxt "field:party.party.reception_direct_debit,company:"
msgid "Company"
msgstr ""
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,currency:"
msgid "Currency"
msgstr "Payment Journals"
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,journal:"
msgid "Journal"
msgstr "Payment Journals"
msgctxt "field:party.party.reception_direct_debit,party:"
msgid "Party"
msgstr ""
#, fuzzy
msgctxt "field:party.party.reception_direct_debit,process_method:"
msgid "Process Method"
msgstr "Process Payments"
msgctxt "field:party.party.reception_direct_debit,type:"
msgid "Type"
msgstr ""
msgctxt "help:account.invoice,payment_direct_debit:"
msgid "Check if the invoice is paid by direct debit."
msgstr ""
msgctxt "help:account.move.line,payment_direct_debit:"
msgid "Check if the line will be paid by direct debit."
msgstr ""
msgctxt "help:account.move.line.create_direct_debit.start,date:"
msgid "Create direct debit for lines due up to this date."
msgstr ""
msgctxt "help:account.move.line.pay.start,date:"
msgid ""
"When the payments are scheduled to happen.\n"
"Leave empty to use the lines' maturity dates."
msgstr ""
msgctxt "help:account.payment.group,payment_amount:"
msgid "The sum of all payment amounts."
msgstr ""
msgctxt "help:account.payment.group,payment_amount_succeeded:"
msgid "The sum of the amounts of the successful payments."
msgstr ""
msgctxt "help:account.payment.group,payment_complete:"
msgid "All the payments in the group are complete."
msgstr ""
msgctxt "help:account.payment.group,payment_count:"
msgid "The number of payments in the group."
msgstr ""
#, fuzzy
msgctxt "help:account.statement.rule,description:"
msgid ""
"\n"
"'payment'"
msgstr "Payment"
msgctxt "help:party.party,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party,reception_direct_debits:"
msgid "Fill to debit automatically the customer."
msgstr ""
msgctxt "help:party.party.payment_direct_debit,payment_direct_debit:"
msgid "Check if supplier does direct debit."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make a single payment."
msgstr ""
msgctxt "help:party.party.reception_direct_debit,type:"
msgid "Make one payment per line."
msgstr ""
#, fuzzy
msgctxt "model:account.configuration.payment_group_sequence,string:"
msgid "Account Configuration Payment Group Sequence"
msgstr "Account Payment Group"
msgctxt "model:account.configuration.payment_sequence,string:"
msgid "Account Configuration Payment Sequence"
msgstr ""
msgctxt "model:account.move.line.create_direct_debit.start,string:"
msgid "Account Move Line Create Direct Debit Start"
msgstr ""
msgctxt "model:account.move.line.pay.ask_journal,string:"
msgid "Account Move Line Pay Ask Journal"
msgstr ""
msgctxt "model:account.move.line.pay.start,string:"
msgid "Account Move Line Pay Start"
msgstr ""
#, fuzzy
msgctxt "model:account.payment,string:"
msgid "Account Payment"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.group,string:"
msgid "Account Payment Group"
msgstr "Account Payment Group"
#, fuzzy
msgctxt "model:account.payment.journal,string:"
msgid "Account Payment Journal"
msgstr "Account Payment Group"
msgctxt "model:ir.action,name:act_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
msgctxt "model:ir.action,name:act_pay_line"
msgid "Pay Lines"
msgstr "Pay Lines"
msgctxt "model:ir.action,name:act_payment_form"
msgid "Payments"
msgstr "Payments"
msgctxt "model:ir.action,name:act_payment_form_group_open"
msgid "Payments"
msgstr "Payments"
msgctxt "model:ir.action,name:act_payment_form_line_relate"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_form_relate_party"
msgid "Payments"
msgstr "Payments"
msgctxt "model:ir.action,name:act_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.action,name:act_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
msgctxt "model:ir.action,name:act_process_payments"
msgid "Process Payments"
msgstr "Process Payments"
msgctxt "model:ir.action,name:wizard_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_payable"
msgid "Payable"
msgstr "Payable"
msgctxt ""
"model:ir.action.act_window.domain,name:act_move_line_form_domain_receivable"
msgid "Receivable"
msgstr "Receivable"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_all"
msgid "All"
msgstr "全部"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_failed"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_group_open_domain_succeeded"
msgid "Succeeded"
msgstr "Succeeded"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_all"
msgid "All"
msgstr "全部"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_approve"
msgid "To Approve"
msgstr "Approve"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_payable_domain_to_process"
msgid "To Process"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_all"
msgid "All"
msgstr "全部"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_draft"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_processing"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_form_receivable_domain_to_process"
msgid "To Process"
msgstr "Processing"
#, fuzzy
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_all"
msgid "All"
msgstr "全部"
msgctxt ""
"model:ir.action.act_window.domain,name:act_payment_group_form_domain_not_completed"
msgid "Pending"
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_erase_party_pending_payment"
msgid ""
"You cannot erase party \"%(party)s\" while they have pending payments with "
"company \"%(company)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_cancel_payments"
msgid ""
"The moves \"%(moves)s\" contain lines with payments, you may want to cancel "
"them before cancelling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_delegate_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"delegating."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_group_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"grouping."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_move_line_reschedule_payments"
msgid ""
"The lines \"%(lines)s\" have payments, you may want to cancel them before "
"rescheduling."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_blocked"
msgid "Line \"%(line)s\" is blocked for payment."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_pay_line_group"
msgid ""
"The lines \"%(names)s\" for %(party)s could be grouped with the line "
"\"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_delete_draft"
msgid "To delete payment \"%(payment)s\" you must reset it to draft state."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_overpay"
msgid "Payment \"%(payment)s\" overpays line \"%(line)s\"."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reconciled"
msgid "The line \"%(line)s\" of payment \"%(payment)s\" is already reconciled."
msgstr ""
#, python-format
msgctxt "model:ir.message,text:msg_payment_reference_invalid"
msgid "The %(type)s \"%(reference)s\" on payment \"%(payment)s\" is not valid."
msgstr ""
msgctxt "model:ir.model.button,confirm:payment_process_wizard_button"
msgid "Are you sure you want to process the payments?"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_pay_button"
msgid "Pay"
msgstr ""
msgctxt "model:ir.model.button,string:move_line_payment_block_button"
msgid "Block"
msgstr "Block"
msgctxt "model:ir.model.button,string:move_line_payment_unblock_button"
msgid "Unblock"
msgstr "Unblock"
msgctxt "model:ir.model.button,string:payment_approve_button"
msgid "Approve"
msgstr "Approve"
msgctxt "model:ir.model.button,string:payment_draft_button"
msgid "Draft"
msgstr "Draft"
msgctxt "model:ir.model.button,string:payment_fail_button"
msgid "Fail"
msgstr "Fail"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_group_succeed_button"
msgid "Succeed"
msgstr "Succeed"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_proceed_button"
msgid "Processing"
msgstr "Processing"
#, fuzzy
msgctxt "model:ir.model.button,string:payment_process_wizard_button"
msgid "Process"
msgstr "Processing"
msgctxt "model:ir.model.button,string:payment_submit_button"
msgid "Submit"
msgstr ""
msgctxt "model:ir.model.button,string:payment_succeed_button"
msgid "Succeed"
msgstr "Succeed"
msgctxt ""
"model:ir.rule.group,name:rule_group_party_reception_direct_debit_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_group_companies"
msgid "User in companies"
msgstr ""
msgctxt "model:ir.rule.group,name:rule_group_payment_journal_companies"
msgid "User in companies"
msgstr ""
#, fuzzy
msgctxt "model:ir.sequence,name:sequence_account_payment"
msgid "Default Account Payment"
msgstr "Default Account Payment Group"
msgctxt "model:ir.sequence,name:sequence_account_payment_group"
msgid "Default Account Payment Group"
msgstr "Default Account Payment Group"
#, fuzzy
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.sequence.type,name:sequence_type_account_payment_group"
msgid "Account Payment Group"
msgstr "Account Payment Group"
msgctxt "model:ir.ui.menu,name:menu_create_direct_debit"
msgid "Create Direct Debit"
msgstr ""
msgctxt "model:ir.ui.menu,name:menu_move_line_form"
msgid "Lines to Pay"
msgstr "Lines to Pay"
msgctxt "model:ir.ui.menu,name:menu_payment_configuration"
msgid "Payments"
msgstr "Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_payable"
msgid "Payable Payments"
msgstr "Process Payments"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_form_receivable"
msgid "Receivable Payments"
msgstr "Receivable"
msgctxt "model:ir.ui.menu,name:menu_payment_group_form"
msgid "Payment Groups"
msgstr "Payment Groups"
#, fuzzy
msgctxt "model:ir.ui.menu,name:menu_payment_journal_form"
msgid "Payment Journals"
msgstr "Payment Journals"
msgctxt "model:ir.ui.menu,name:menu_payments"
msgid "Payments"
msgstr "Payments"
msgctxt "model:party.party.payment_direct_debit,string:"
msgid "Party Payment Direct Debit"
msgstr ""
msgctxt "model:party.party.reception_direct_debit,string:"
msgid "Party Reception Direct Debit"
msgstr ""
msgctxt "model:res.group,name:group_payment"
msgid "Payment"
msgstr "Payment"
msgctxt "model:res.group,name:group_payment_approval"
msgid "Payment Approval"
msgstr "Payment Approval"
#, fuzzy
msgctxt "selection:account.move.line,payment_kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.move.line,payment_kind:"
msgid "Receivable"
msgstr "Receivable"
#, fuzzy
msgctxt "selection:account.payment,kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.payment,kind:"
msgid "Receivable"
msgstr "Receivable"
msgctxt "selection:account.payment,reference_type:"
msgid "Creditor Reference"
msgstr ""
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Approved"
msgstr "Approve"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Draft"
msgstr "Draft"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Failed"
msgstr "Failed"
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Processing"
msgstr "Processing"
msgctxt "selection:account.payment,state:"
msgid "Submitted"
msgstr ""
#, fuzzy
msgctxt "selection:account.payment,state:"
msgid "Succeeded"
msgstr "Succeed"
#, fuzzy
msgctxt "selection:account.payment.group,kind:"
msgid "Payable"
msgstr "Payable"
#, fuzzy
msgctxt "selection:account.payment.group,kind:"
msgid "Receivable"
msgstr "Receivable"
msgctxt "selection:account.payment.journal,process_method:"
msgid "Manual"
msgstr ""
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Balance"
msgstr "取消"
#, fuzzy
msgctxt "selection:party.party.reception_direct_debit,type:"
msgid "Line"
msgstr "Pay Lines"
msgctxt "view:account.configuration:"
msgid "Group Sequence:"
msgstr ""
#, fuzzy
msgctxt "view:account.configuration:"
msgid "Payment"
msgstr "Payment"
msgctxt "view:account.configuration:"
msgid "Sequence:"
msgstr ""
msgctxt "view:account.move.line.create_direct_debit.start:"
msgid "Create Direct Debit for date"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Complete"
msgstr ""
msgctxt "view:account.payment.group:"
msgid "Count"
msgstr ""
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Payments Info"
msgstr "Payments"
#, fuzzy
msgctxt "view:account.payment.group:"
msgid "Succeeded"
msgstr "Succeeded"
msgctxt "view:account.payment.group:"
msgid "Total Amount"
msgstr ""
msgctxt "view:account.payment:"
msgid "Other Info"
msgstr ""
#, fuzzy
msgctxt "view:account.payment:"
msgid "Payment"
msgstr "Payment"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,create_:"
msgid "Create"
msgstr "创建日期:"
#, fuzzy
msgctxt "wizard_button:account.move.line.create_direct_debit,start,end:"
msgid "Cancel"
msgstr "取消"
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,ask_journal,end:"
msgid "Cancel"
msgstr "取消"
msgctxt "wizard_button:account.move.line.pay,ask_journal,next_:"
msgid "Pay"
msgstr ""
#, fuzzy
msgctxt "wizard_button:account.move.line.pay,start,end:"
msgid "Cancel"
msgstr "取消"
msgctxt "wizard_button:account.move.line.pay,start,next_:"
msgid "Pay"
msgstr ""

View File

@@ -0,0 +1,40 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<tryton>
<data grouped="1">
<record model="ir.message" id="msg_payment_delete_draft">
<field name="text">To delete payment "%(payment)s" you must reset it to draft state.</field>
</record>
<record model="ir.message" id="msg_payment_overpay">
<field name="text">Payment "%(payment)s" overpays line "%(line)s".</field>
</record>
<record model="ir.message" id="msg_payment_reconciled">
<field name="text">The line "%(line)s" of payment "%(payment)s" is already reconciled.</field>
</record>
<record model="ir.message" id="msg_payment_reference_invalid">
<field name="text">The %(type)s "%(reference)s" on payment "%(payment)s" is not valid.</field>
</record>
<record model="ir.message" id="msg_erase_party_pending_payment">
<field name="text">You cannot erase party "%(party)s" while they have pending payments with company "%(company)s".</field>
</record>
<record model="ir.message" id="msg_pay_line_blocked">
<field name="text">Line "%(line)s" is blocked for payment.</field>
</record>
<record model="ir.message" id="msg_pay_line_group">
<field name="text">The lines "%(names)s" for %(party)s could be grouped with the line "%(line)s".</field>
</record>
<record model="ir.message" id="msg_move_cancel_payments">
<field name="text">The moves "%(moves)s" contain lines with payments, you may want to cancel them before cancelling.</field>
</record>
<record model="ir.message" id="msg_move_line_group_payments">
<field name="text">The lines "%(lines)s" have payments, you may want to cancel them before grouping.</field>
</record>
<record model="ir.message" id="msg_move_line_reschedule_payments">
<field name="text">The lines "%(lines)s" have payments, you may want to cancel them before rescheduling.</field>
</record>
<record model="ir.message" id="msg_move_line_delegate_payments">
<field name="text">The lines "%(lines)s" have payments, you may want to cancel them before delegating.</field>
</record>
</data>
</tryton>

View File

@@ -0,0 +1,214 @@
# This file is part of Tryton. The COPYRIGHT file at the top level of
# this repository contains the full copyright notices and license terms.
from trytond.i18n import gettext
from trytond.model import (
MatchMixin, ModelSQL, ModelView, fields, sequence_ordered)
from trytond.modules.company.model import CompanyValueMixin
from trytond.modules.party.exceptions import EraseError
from trytond.pool import Pool, PoolMeta
from trytond.pyson import Eval
from trytond.transaction import Transaction
payment_direct_debit = fields.Boolean(
"Direct Debit", help="Check if supplier does direct debit.")
class Party(metaclass=PoolMeta):
__name__ = 'party.party'
payment_direct_debit = fields.MultiValue(payment_direct_debit)
payment_direct_debits = fields.One2Many(
'party.party.payment_direct_debit', 'party', "Direct Debits")
reception_direct_debits = fields.One2Many(
'party.party.reception_direct_debit', 'party', "Direct Debits",
help="Fill to debit automatically the customer.")
payment_identical_parties = fields.Function(
fields.Many2Many('party.party', None, None, "Identical Parties"),
'get_payment_identical_parties')
@classmethod
def default_payment_direct_debit(cls, **pattern):
return False
def get_payment_identical_parties(self, name):
return [p.id for p in self._payment_identical_parties()]
def _payment_identical_parties(self):
return set()
@classmethod
def copy(cls, parties, default=None):
if default is None:
default = {}
else:
default = default.copy()
default.setdefault('reception_direct_debits')
return super().copy(parties, default=default)
class PartyPaymentDirectDebit(ModelSQL, CompanyValueMixin):
__name__ = 'party.party.payment_direct_debit'
party = fields.Many2One(
'party.party', "Party", ondelete='CASCADE',
context={
'company': Eval('company', -1),
},
depends={'company'})
payment_direct_debit = payment_direct_debit
class PartyReceptionDirectDebit(
sequence_ordered(), MatchMixin, ModelView, ModelSQL):
__name__ = 'party.party.reception_direct_debit'
party = fields.Many2One(
'party.party', "Party", required=True, ondelete='CASCADE',
context={
'company': Eval('company', -1),
},
depends={'company'})
journal = fields.Many2One(
'account.payment.journal', "Journal", required=True)
type = fields.Selection([
('line', "Line"),
('balance', "Balance"),
], "Type", required=True,
help_selection={
'line': "Make one payment per line.",
'balance': "Make a single payment.",
})
company = fields.Function(
fields.Many2One('company.company', "Company"),
'on_change_with_company', searcher='search_company')
currency = fields.Function(
fields.Many2One('currency.currency', "Currency"),
'on_change_with_currency')
process_method = fields.Function(
fields.Selection('get_process_methods', "Process Method"),
'on_change_with_process_method')
@classmethod
def default_type(cls):
return 'line'
@fields.depends('journal')
def on_change_with_company(self, name=None):
return self.journal.company if self.journal else None
@classmethod
def search_company(cls, name, clause):
nested = clause[0][len(name):]
return [('journal.' + name + nested, *clause[1:])]
@fields.depends('journal')
def on_change_with_currency(self, name=None):
return self.journal.currency if self.journal else None
@classmethod
def get_process_methods(cls):
pool = Pool()
Journal = pool.get('account.payment.journal')
name = 'process_method'
return Journal.fields_get([name])[name]['selection']
@fields.depends('journal')
def on_change_with_process_method(self, name=None):
if self.journal:
return self.journal.process_method
@classmethod
def get_pattern(cls, line, type='line'):
return {
'company': line.company.id,
'currency': line.payment_currency.id,
'type': type,
}
def get_payments(self, line=None, amount=None, date=None):
pool = Pool()
Date = pool.get('ir.date')
assert not line or self.type == 'line'
if date is None:
with Transaction().set_context(company=self.company.id):
date = Date.today()
if line:
date = min(line.maturity_date or date, date)
if amount is None:
amount = line.payment_amount
if amount:
for date, amount in self._compute(date, amount):
yield self._get_payment(line, date, amount)
def _compute(self, date, amount):
yield date, amount
def _get_payment(self, line, date, amount):
pool = Pool()
Payment = pool.get('account.payment')
return Payment(
company=self.company,
journal=self.journal,
kind='receivable',
party=self.party,
date=date,
amount=amount,
line=line)
def get_balance_domain(self, date):
return [
['OR',
('account.type.receivable', '=', True),
('account.type.payable', '=', True),
],
('party', '=', self.party.id),
('payment_currency', '=', self.currency.id),
('reconciliation', '=', None),
('payment_amount', '!=', 0),
('move_state', '=', 'posted'),
['OR',
('maturity_date', '<=', date),
('maturity_date', '=', None),
],
('payment_blocked', '!=', True),
('company', '=', self.company.id),
]
def get_balance_pending_payment_domain(self):
return [
('party', '=', self.party.id),
('currency', '=', self.currency.id),
('state', 'not in', ['succeeded', 'failed']),
('line', '=', None),
('company', '=', self.company.id),
]
class Replace(metaclass=PoolMeta):
__name__ = 'party.replace'
@classmethod
def fields_to_replace(cls):
return super().fields_to_replace() + [
('account.payment', 'party'),
('party.party.reception_direct_debit', 'party'),
]
class Erase(metaclass=PoolMeta):
__name__ = 'party.erase'
def check_erase_company(self, party, company):
pool = Pool()
Payment = pool.get('account.payment')
super().check_erase_company(party, company)
payments = Payment.search([
('party', '=', party.id),
('company', '=', company.id),
('state', 'not in', ['succeeded', 'failed']),
])
if payments:
raise EraseError(
gettext('account_payment.msg_erase_party_pending_payment',
party=party.rec_name,
company=company.rec_name))

View File

@@ -0,0 +1,52 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<tryton>
<data>
<record model="ir.ui.view" id="party_view_form">
<field name="model">party.party</field>
<field name="inherit" ref="party.party_view_form"/>
<field name="name">party_form</field>
</record>
<record model="ir.ui.view" id="party_reception_direct_debit_view_form">
<field name="model">party.party.reception_direct_debit</field>
<field name="type">form</field>
<field name="name">party_reception_direct_debit_form</field>
</record>
<record model="ir.ui.view" id="party_reception_direct_debit_view_list">
<field name="model">party.party.reception_direct_debit</field>
<field name="type">tree</field>
<field name="name">party_reception_direct_debit_list</field>
</record>
<record model="ir.rule.group" id="rule_group_party_reception_direct_debit_companies">
<field name="name">User in companies</field>
<field name="model">party.party.reception_direct_debit</field>
<field name="global_p" eval="True"/>
</record>
<record model="ir.rule" id="rule_party_reception_direct_debit_companies">
<field name="domain"
eval="[('company', 'in', Eval('companies', []))]"
pyson="1"/>
<field name="rule_group" ref="rule_group_party_reception_direct_debit_companies"/>
</record>
<record model="ir.model.access" id="access_party_reception_direct_debit">
<field name="model">party.party.reception_direct_debit</field>
<field name="perm_read" eval="False"/>
<field name="perm_write" eval="False"/>
<field name="perm_create" eval="False"/>
<field name="perm_delete" eval="False"/>
</record>
<record model="ir.model.access" id="access_party_reception_direct_debit_payment">
<field name="model">party.party.reception_direct_debit</field>
<field name="group" ref="group_payment"/>
<field name="perm_read" eval="True"/>
<field name="perm_write" eval="True"/>
<field name="perm_create" eval="True"/>
<field name="perm_delete" eval="True"/>
</record>
</data>
</tryton>

View File

@@ -0,0 +1,887 @@
# This file is part of Tryton. The COPYRIGHT file at the top level of
# this repository contains the full copyright notices and license terms.
from collections import defaultdict
from decimal import Decimal
from itertools import groupby
import stdnum.exceptions
from sql.aggregate import Count, Sum
from sql.functions import CharLength
from sql.operators import Abs
from stdnum import iso11649
from trytond import backend
from trytond.i18n import gettext
from trytond.model import (
ChatMixin, DeactivableMixin, Index, ModelSQL, ModelView, Workflow, fields)
from trytond.model.exceptions import AccessError
from trytond.modules.company.model import (
employee_field, reset_employee, set_employee)
from trytond.modules.currency.fields import Monetary
from trytond.pool import Pool, PoolMeta
from trytond.pyson import Eval, If
from trytond.rpc import RPC
from trytond.tools import (
cursor_dict, grouped_slice, reduce_ids, sortable_values,
sqlite_apply_types)
from trytond.transaction import Transaction
from trytond.wizard import StateAction, Wizard
from .exceptions import (
OverpayWarning, PaymentValidationError, ReconciledWarning)
KINDS = [
('payable', 'Payable'),
('receivable', 'Receivable'),
]
class Journal(DeactivableMixin, ModelSQL, ModelView):
__name__ = 'account.payment.journal'
name = fields.Char('Name', required=True)
currency = fields.Many2One('currency.currency', 'Currency', required=True)
company = fields.Many2One('company.company', "Company", required=True)
process_method = fields.Selection([
('manual', 'Manual'),
], 'Process Method', required=True)
@classmethod
def __setup__(cls):
super().__setup__()
cls._order.insert(0, ('name', 'ASC'))
@staticmethod
def default_currency():
if Transaction().context.get('company'):
Company = Pool().get('company.company')
company = Company(Transaction().context['company'])
return company.currency.id
@staticmethod
def default_company():
return Transaction().context.get('company')
class Group(ModelSQL, ModelView, ChatMixin):
__name__ = 'account.payment.group'
_rec_name = 'number'
number = fields.Char('Number', required=True, readonly=True)
company = fields.Many2One(
'company.company', "Company",
required=True, readonly=True)
journal = fields.Many2One('account.payment.journal', 'Journal',
required=True, readonly=True, domain=[
('company', '=', Eval('company', -1)),
])
kind = fields.Selection(KINDS, 'Kind', required=True, readonly=True)
payments = fields.One2Many(
'account.payment', 'group', 'Payments', readonly=True,
domain=[
('company', '=', Eval('company', -1)),
('journal', '=', Eval('journal', -1)),
],
order=[('date', 'ASC'), ('id', 'ASC')])
currency = fields.Function(fields.Many2One(
'currency.currency', "Currency"),
'on_change_with_currency', searcher='search_currency')
payment_count = fields.Function(fields.Integer(
"Payment Count",
help="The number of payments in the group."),
'get_payment_aggregated')
payment_amount = fields.Function(Monetary(
"Payment Total Amount", currency='currency', digits='currency',
help="The sum of all payment amounts."),
'get_payment_aggregated')
payment_amount_succeeded = fields.Function(Monetary(
"Payment Succeeded", currency='currency', digits='currency',
help="The sum of the amounts of the successful payments."),
'get_payment_aggregated')
payment_complete = fields.Function(fields.Boolean(
"Payment Complete",
help="All the payments in the group are complete."),
'get_payment_aggregated', searcher='search_complete')
process_method = fields.Function(
fields.Selection('get_process_methods', "Process Method"),
'on_change_with_process_method', searcher='search_process_method')
@classmethod
def __setup__(cls):
super().__setup__()
cls._buttons.update(
succeed={
'invisible': Eval('payment_complete', False),
'depends': ['payment_complete', 'process_method'],
},
)
@classmethod
def order_number(cls, tables):
table, _ = tables[None]
return [CharLength(table.number), table.number]
@staticmethod
def default_company():
return Transaction().context.get('company')
@classmethod
def get_process_methods(cls):
pool = Pool()
Journal = pool.get('account.payment.journal')
field_name = 'process_method'
return Journal.fields_get([field_name])[field_name]['selection']
@fields.depends('journal')
def on_change_with_process_method(self, name=None):
if self.journal:
return self.journal.process_method
@classmethod
def search_process_method(cls, name, clause):
return [('journal.' + clause[0],) + tuple(clause[1:])]
def process_manual(self):
pass
@classmethod
def preprocess_values(cls, mode, values):
pool = Pool()
Configuration = pool.get('account.configuration')
values = super().preprocess_values(mode, values)
if mode == 'create' and not values.get('number'):
configuration = Configuration(1)
company_id = values.get('company', cls.default_company())
if company_id is not None:
if sequence := configuration.get_multivalue(
'payment_group_sequence', company=company_id):
values['number'] = sequence.get()
return values
@classmethod
def copy(cls, groups, default=None):
if default is None:
default = {}
else:
default = default.copy()
default.setdefault('number', None)
default.setdefault('payments', None)
return super().copy(groups, default=default)
@classmethod
@ModelView.button
def succeed(cls, groups):
pool = Pool()
Payment = pool.get('account.payment')
payments = sum((g.payments for g in groups), ())
Payment.succeed(payments)
@classmethod
def _get_complete_states(cls):
return ['succeeded', 'failed']
@classmethod
def get_payment_aggregated(cls, groups, names):
pool = Pool()
Payment = pool.get('account.payment')
cursor = Transaction().connection.cursor()
payment = Payment.__table__()
# initialize result and columns
result = defaultdict(lambda: defaultdict(lambda: None))
columns = [
payment.group.as_('group_id'),
Count(payment.group).as_('payment_count'),
Sum(payment.amount).as_('payment_amount'),
Sum(payment.amount,
filter_=(payment.state == 'succeeded'),
).as_('payment_amount_succeeded'),
Count(payment.group,
filter_=(~payment.state.in_(cls._get_complete_states())),
).as_('payment_not_complete'),
]
for sub_ids in grouped_slice(groups):
query = payment.select(*columns,
where=reduce_ids(payment.group, sub_ids),
group_by=payment.group)
if backend.name == 'sqlite':
sqlite_apply_types(
query, [None, None, 'NUMERIC', 'NUMERIC', None])
cursor.execute(*query)
for row in cursor_dict(cursor):
group = cls(row['group_id'])
result['payment_count'][group.id] = row['payment_count']
result['payment_complete'][group.id] = \
not row['payment_not_complete']
amount = row['payment_amount']
succeeded = row['payment_amount_succeeded']
if amount is not None and backend.name == 'sqlite':
amount = group.company.currency.round(amount)
result['payment_amount'][group.id] = amount
if succeeded is not None and backend.name == 'sqlite':
succeeded = group.company.currency.round(succeeded)
result['payment_amount_succeeded'][group.id] = succeeded
for key in list(result.keys()):
if key not in names:
del result[key]
return result
@classmethod
def search_complete(cls, name, clause):
pool = Pool()
Payment = pool.get('account.payment')
payment = Payment.__table__()
query_not_completed = payment.select(payment.group,
where=~payment.state.in_(cls._get_complete_states()),
group_by=payment.group)
operators = {
'=': 'not in',
'!=': 'in',
}
reverse = {
'=': 'in',
'!=': 'not in',
}
if clause[1] in operators:
if clause[2]:
return [('id', operators[clause[1]], query_not_completed)]
else:
return [('id', reverse[clause[1]], query_not_completed)]
else:
return []
@fields.depends('journal')
def on_change_with_currency(self, name=None):
return self.journal.currency if self.journal else None
@classmethod
def search_currency(cls, name, clause):
return [('journal.' + clause[0],) + tuple(clause[1:])]
_STATES = {
'readonly': Eval('state') != 'draft',
}
class Payment(Workflow, ModelSQL, ModelView, ChatMixin):
__name__ = 'account.payment'
_rec_name = 'number'
number = fields.Char("Number", required=True, readonly=True)
reference = fields.Char("Reference", states=_STATES)
reference_type = fields.Selection([
(None, ""),
('creditor_reference', "Creditor Reference"),
], "Reference Type")
reference_type_string = reference_type.translated('reference_type')
company = fields.Many2One(
'company.company', "Company", required=True, states=_STATES)
journal = fields.Many2One('account.payment.journal', 'Journal',
required=True, states=_STATES, domain=[
('company', '=', Eval('company', -1)),
])
currency = fields.Function(fields.Many2One('currency.currency',
'Currency'), 'on_change_with_currency',
searcher='search_currency')
kind = fields.Selection(KINDS, 'Kind', required=True,
states=_STATES)
party = fields.Many2One(
'party.party', "Party", required=True, states=_STATES,
context={
'company': Eval('company', -1),
},
depends={'company'})
date = fields.Date('Date', required=True, states=_STATES)
amount = Monetary(
"Amount", currency='currency', digits='currency', required=True,
domain=[('amount', '>=', 0)],
states={
'readonly': ~Eval('state').in_(
If(Eval('process_method') == 'manual',
['draft', 'processing'],
['draft'])),
})
line = fields.Many2One('account.move.line', 'Line', ondelete='RESTRICT',
domain=[
('move.company', '=', Eval('company', -1)),
If(Eval('kind') == 'receivable',
['OR', ('debit', '>', 0), ('credit', '<', 0)],
['OR', ('credit', '>', 0), ('debit', '<', 0)],
),
['OR',
('account.type.receivable', '=', True),
('account.type.payable', '=', True),
],
('party', 'in', [Eval('party', None), None]),
If(Eval('state') == 'draft',
[
('reconciliation', '=', None),
('maturity_date', '!=', None),
],
[]),
['OR',
('second_currency', '=', Eval('currency', None)),
[
('account.company.currency', '=', Eval('currency', None)),
('second_currency', '=', None),
],
],
('move_state', '=', 'posted'),
],
states=_STATES)
origin = fields.Reference(
"Origin", selection='get_origin',
states={
'readonly': Eval('state') != 'draft',
})
group = fields.Many2One('account.payment.group', 'Group', readonly=True,
ondelete='RESTRICT',
states={
'required': Eval('state').in_(['processing', 'succeeded']),
},
domain=[
('company', '=', Eval('company', -1)),
('journal', '=', Eval('journal', -1)),
('kind', '=', Eval('kind')),
])
process_method = fields.Function(
fields.Selection('get_process_methods', "Process Method"),
'on_change_with_process_method', searcher='search_process_method')
submitted_by = employee_field(
"Submitted by",
states=['submitted', 'processing', 'succeeded', 'failed'])
approved_by = employee_field(
"Approved by",
states=['approved', 'processing', 'succeeded', 'failed'])
succeeded_by = employee_field(
"Success Noted by", states=['succeeded', 'processing'])
failed_by = employee_field(
"Failure Noted by",
states=['failed', 'processing'])
state = fields.Selection([
('draft', 'Draft'),
('submitted', "Submitted"),
('approved', 'Approved'),
('processing', 'Processing'),
('succeeded', 'Succeeded'),
('failed', 'Failed'),
], "State", readonly=True, sort=False,
domain=[
If(Eval('kind') == 'receivable',
('state', '!=', 'approved'),
()),
])
@property
def amount_line_paid(self):
if self.state != 'failed':
if self.line.second_currency:
payment_amount = abs(self.line.amount_second_currency)
else:
payment_amount = abs(self.line.credit - self.line.debit)
return max(min(self.amount, payment_amount), 0)
return Decimal(0)
@classmethod
def __setup__(cls):
cls.number.search_unaccented = False
cls.reference.search_unaccented = False
super().__setup__()
t = cls.__table__()
cls._sql_indexes.update({
Index(
t, (t.state, Index.Equality(cardinality='low')),
where=t.state.in_([
'draft', 'submitted', 'approved', 'processing'])),
Index(
t, (t.line, Index.Range()),
where=t.state != 'failed'),
})
cls._order.insert(0, ('date', 'DESC'))
cls._transitions |= set((
('draft', 'submitted'),
('submitted', 'approved'),
('submitted', 'processing'),
('approved', 'processing'),
('processing', 'succeeded'),
('processing', 'failed'),
('submitted', 'draft'),
('approved', 'draft'),
('succeeded', 'failed'),
('succeeded', 'processing'),
('failed', 'succeeded'),
('failed', 'processing'),
))
cls._buttons.update({
'draft': {
'invisible': ~Eval('state').in_(['submitted', 'approved']),
'icon': 'tryton-back',
'depends': ['state'],
},
'submit': {
'invisible': Eval('state') != 'draft',
'icon': 'tryton-forward',
'depends': ['state'],
},
'approve': {
'invisible': (
(Eval('state') != 'submitted')
| (Eval('kind') == 'receivable')),
'icon': 'tryton-forward',
'depends': ['state', 'kind'],
},
'process_wizard': {
'invisible': ~(
(Eval('state') == 'approved')
| ((Eval('state') == 'submitted')
& (Eval('kind') == 'receivable'))),
'icon': 'tryton-launch',
'depends': ['state', 'kind'],
},
'proceed': {
'invisible': (
~Eval('state').in_(['succeeded', 'failed'])
| (Eval('process_method') != 'manual')),
'icon': 'tryton-back',
'depends': ['state', 'process_method'],
},
'succeed': {
'invisible': ~Eval('state').in_(
['processing', 'failed']),
'icon': 'tryton-ok',
'depends': ['state'],
},
'fail': {
'invisible': ~Eval('state').in_(
['processing', 'succeeded']),
'icon': 'tryton-cancel',
'depends': ['state'],
},
})
cls.__rpc__.update({
'approve': RPC(
readonly=False, instantiate=0, fresh_session=True),
})
cls.group.states['required'] &= Eval('process_method').in_(
cls.process_method_with_group())
@classmethod
def __register__(cls, module):
cursor = Transaction().connection.cursor()
table = cls.__table__()
table_h = cls.__table_handler__(module)
number_exist = table_h.column_exist('number')
# Migration from 7.4: rename description into reference
if table_h.column_exist('description'):
table_h.column_rename('description', 'reference')
super().__register__(module)
# Migration from 7.2: add number
if not number_exist:
cursor.execute(*table.update([table.number], [table.id]))
@classmethod
def order_number(cls, tables):
table, _ = tables[None]
return [CharLength(table.number), table.number]
@fields.depends('reference_type', 'reference')
def on_change_with_reference(self):
if (reference := self.reference) and (type := self.reference_type):
reference = getattr(self, f'_format_reference_{type}')(reference)
return reference
@classmethod
def _format_reference_creditor_reference(cls, reference):
try:
return iso11649.format(reference)
except stdnum.exceptions.ValidationError:
return reference
@property
def reference_used(self):
reference = self.reference
if not reference and self.line and self.line.move_origin:
reference = getattr(self.line.move_origin, 'rec_name', None)
return reference
@staticmethod
def default_company():
return Transaction().context.get('company')
@staticmethod
def default_kind():
return 'payable'
@staticmethod
def default_date():
pool = Pool()
Date = pool.get('ir.date')
return Date.today()
@staticmethod
def default_state():
return 'draft'
@fields.depends('journal')
def on_change_with_currency(self, name=None):
return self.journal.currency if self.journal else None
@classmethod
def search_currency(cls, name, clause):
return [('journal.' + clause[0],) + tuple(clause[1:])]
@classmethod
def order_amount(cls, tables):
table, _ = tables[None]
context = Transaction().context
column = cls.amount.sql_column(table)
if isinstance(context.get('amount_order'), Decimal):
return [Abs(column - abs(context['amount_order']))]
else:
return [column]
@fields.depends('kind')
def on_change_kind(self):
self.line = None
@fields.depends('party')
def on_change_party(self):
self.line = None
@fields.depends('line',
'_parent_line.maturity_date', '_parent_line.payment_amount')
def on_change_line(self):
if self.line:
self.date = self.line.maturity_date
self.amount = self.line.payment_amount
@classmethod
def _get_origin(cls):
'Return list of Model names for origin Reference'
return []
@classmethod
def get_origin(cls):
Model = Pool().get('ir.model')
get_name = Model.get_name
models = cls._get_origin()
return [(None, '')] + [(m, get_name(m)) for m in models]
@fields.depends('journal')
def on_change_with_process_method(self, name=None):
if self.journal:
return self.journal.process_method
@classmethod
def search_process_method(cls, name, clause):
return [('journal.' + clause[0],) + tuple(clause[1:])]
@classmethod
def get_process_methods(cls):
pool = Pool()
Journal = pool.get('account.payment.journal')
field_name = 'process_method'
return Journal.fields_get([field_name])[field_name]['selection']
def get_rec_name(self, name):
items = [self.number]
if self.reference:
items.append(f'[{self.reference}]')
return ' '.join(items)
@classmethod
def search_rec_name(cls, name, clause):
_, operator, value = clause
if operator.startswith('!') or operator.startswith('not '):
bool_op = 'AND'
else:
bool_op = 'OR'
return [bool_op,
('number', *clause[1:]),
('reference', *clause[1:]),
]
def chat_language(self, audience='internal'):
language = super().chat_language(audience=audience)
if audience == 'public':
language = self.party.lang.code if self.party.lang else None
return language
@classmethod
def view_attributes(cls):
context = Transaction().context
attributes = super().view_attributes()
if context.get('kind') == 'receivable':
attributes.append(
('/tree//button[@name="approve"]', 'tree_invisible', True))
return attributes
@classmethod
def copy(cls, payments, default=None):
if default is None:
default = {}
else:
default = default.copy()
default.setdefault('number', None)
default.setdefault('reference')
default.setdefault('reference_type')
default.setdefault('group', None)
default.setdefault('approved_by')
default.setdefault('succeeded_by')
default.setdefault('failed_by')
return super().copy(payments, default=default)
@classmethod
def preprocess_values(cls, mode, values):
pool = Pool()
Configuration = pool.get('account.configuration')
values = super().preprocess_values(mode, values)
if mode == 'create' and not values.get('number'):
configuration = Configuration(1)
company_id = values.get('company', cls.default_company())
if company_id is not None:
if sequence := configuration.get_multivalue(
'payment_sequence', company=company_id):
values['number'] = sequence.get()
return values
@classmethod
def check_modification(cls, mode, payments, values=None, external=False):
super().check_modification(
mode, payments, values=values, external=external)
if mode == 'delete':
for payment in payments:
if payment.state != 'draft':
raise AccessError(gettext(
'account_payment.msg_payment_delete_draft',
payment=payment.rec_name))
@classmethod
def on_modification(cls, mode, payments, field_names=None):
pool = Pool()
Line = pool.get('account.move.line')
super().on_modification(mode, payments, field_names=field_names)
if mode in {'create', 'write'}:
if field_names is None or 'line' in field_names:
if lines := Line.browse({p.line for p in payments if p.line}):
Line.set_payment_amount(lines)
@classmethod
def on_write(cls, payments, values):
pool = Pool()
Line = pool.get('account.move.line')
callback = super().on_write(payments, values)
if values.keys() & {'line', 'amount', 'state'}:
if lines := Line.browse({p.line for p in payments if p.line}):
callback.append(lambda: Line.set_payment_amount(lines))
return callback
@classmethod
def on_delete(cls, payments):
pool = Pool()
Line = pool.get('account.move.line')
callback = super().on_delete(payments)
if lines := Line.browse({p.line for p in payments if p.line}):
callback.append(lambda: Line.set_payment_amount(lines))
return callback
@classmethod
def validate_fields(cls, payments, field_names):
super().validate_fields(payments, field_names)
cls.check_reference(payments, field_names)
@classmethod
def check_reference(cls, payments, field_names):
if field_names and not (field_names & {'reference', 'reference_type'}):
return
for payment in payments:
if type := payment.reference_type:
method = getattr(cls, f'_check_reference_{type}')
if not method(payment):
reference = payment.reference
type = payment.reference_type_string
raise PaymentValidationError(gettext(
'account_payment.msg_payment_reference_invalid',
type=type,
reference=reference,
payment=payment.rec_name))
def _check_reference_creditor_reference(self):
return iso11649.is_valid(self.reference)
@classmethod
@ModelView.button
@Workflow.transition('draft')
@reset_employee('submitted_by', 'approved_by', 'succeeded_by', 'failed_by')
def draft(cls, payments):
pass
@classmethod
@ModelView.button
@Workflow.transition('submitted')
@set_employee('submitted_by')
def submit(cls, payments):
cls._check_reconciled(payments)
@classmethod
@ModelView.button
@Workflow.transition('approved')
@set_employee('approved_by')
def approve(cls, payments):
cls._check_reconciled(payments)
@classmethod
@ModelView.button_action('account_payment.act_process_payments')
def process_wizard(cls, payments):
pass
@classmethod
def process_method_with_group(cls):
return ['manual']
@classmethod
@Workflow.transition('processing')
def process(cls, payments, group=None):
if payments:
if group:
group = group()
cls.write(payments, {
'group': group.id,
})
# Set state before calling process method
# as it may set a different state directly
cls.proceed(payments)
if group:
getattr(group, f'process_{group.process_method}')()
else:
for payment in payments:
getattr(payment, f'process_{payment.process_method}')()
return group
@classmethod
@ModelView.button
@Workflow.transition('processing')
def proceed(cls, payments):
cls._check_reconciled(
[p for p in payments if p.state not in {'succeeded', 'failed'}])
@classmethod
@ModelView.button
@Workflow.transition('succeeded')
@set_employee('succeeded_by')
def succeed(cls, payments):
pass
@classmethod
@ModelView.button
@Workflow.transition('failed')
@set_employee('failed_by')
def fail(cls, payments):
pass
@classmethod
def _check_reconciled(cls, payments):
pool = Pool()
Warning = pool.get('res.user.warning')
for payment in payments:
if payment.line and payment.line.reconciliation:
key = Warning.format('submit_reconciled', [payment])
if Warning.check(key):
raise ReconciledWarning(
key, gettext(
'account_payment.msg_payment_reconciled',
payment=payment.rec_name,
line=payment.line.rec_name))
class Payment_Invoice(metaclass=PoolMeta):
__name__ = 'account.payment'
@property
def reference_used(self):
pool = Pool()
Invoice = pool.get('account.invoice')
reference = super().reference_used
if (not self.reference
and self.line
and isinstance(self.line.move_origin, Invoice)):
invoice = self.line.move_origin
if self.kind == 'payable':
reference = invoice.supplier_payment_reference
elif self.kind == 'receivable':
reference = invoice.customer_payment_reference
return reference
class ProcessPayment(Wizard):
__name__ = 'account.payment.process'
start_state = 'process'
process = StateAction('account_payment.act_payment_group_form')
def _group_payment_key(self, payment):
return (
('company', payment.company),
('journal', payment.journal),
('kind', payment.kind),
)
def _new_group(self, values):
pool = Pool()
Group = pool.get('account.payment.group')
return Group(**values)
def do_process(self, action):
pool = Pool()
Payment = pool.get('account.payment')
Warning = pool.get('res.user.warning')
payments = self.records
payments = [
p for p in payments
if p.state == 'approved'
or (p.state == 'submitted' and p.kind == 'receivable')]
for payment in payments:
if payment.line and payment.line.payment_amount < 0:
if Warning.check(str(payment)):
raise OverpayWarning(str(payment),
gettext('account_payment.msg_payment_overpay',
payment=payment.rec_name,
line=payment.line.rec_name))
process_method_with_group = Payment.process_method_with_group()
groups = []
payments = sorted(
payments, key=sortable_values(self._group_payment_key))
for key, grouped_payments in groupby(payments,
key=self._group_payment_key):
def group():
group = self._new_group(key)
group.save()
return group
key = dict(key)
process_method = key['journal'].process_method
group = Payment.process(
list(grouped_payments),
group if process_method in process_method_with_group else None)
if group:
groups.append(group)
if groups:
return action, {
'res_id': [g.id for g in groups],
}

View File

@@ -0,0 +1,570 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<tryton>
<data>
<record model="ir.ui.icon" id="payment_icon">
<field name="name">tryton-payment</field>
<field name="path">icons/tryton-payment.svg</field>
</record>
<record model="res.group" id="group_payment">
<field name="name">Payment</field>
</record>
<record model="res.user-res.group" id="user_admin_group_payment">
<field name="user" ref="res.user_admin"/>
<field name="group" ref="group_payment"/>
</record>
<record model="res.group" id="group_payment_approval">
<field name="name">Payment Approval</field>
</record>
<record model="res.user-res.group"
id="user_admin_group_payment_approval">
<field name="user" ref="res.user_admin"/>
<field name="group" ref="group_payment_approval"/>
</record>
<menuitem
name="Payments"
parent="account.menu_account"
sequence="20"
id="menu_payments"/>
<menuitem
name="Payments"
parent="account.menu_account_configuration"
sequence="50"
id="menu_payment_configuration"/>
<record model="ir.ui.view" id="payment_journal_view_form">
<field name="model">account.payment.journal</field>
<field name="type">form</field>
<field name="name">payment_journal_form</field>
</record>
<record model="ir.ui.view" id="payment_journal_view_list">
<field name="model">account.payment.journal</field>
<field name="type">tree</field>
<field name="name">payment_journal_list</field>
</record>
<record model="ir.action.act_window" id="act_payment_journal_form">
<field name="name">Payment Journals</field>
<field name="res_model">account.payment.journal</field>
</record>
<record model="ir.action.act_window.view" id="act_payment_journal_form_view1">
<field name="sequence" eval="10"/>
<field name="view" ref="payment_journal_view_list"/>
<field name="act_window" ref="act_payment_journal_form"/>
</record>
<record model="ir.action.act_window.view" id="act_payment_journal_form_view2">
<field name="sequence" eval="20"/>
<field name="view" ref="payment_journal_view_form"/>
<field name="act_window" ref="act_payment_journal_form"/>
</record>
<menuitem
parent="menu_payment_configuration"
action="act_payment_journal_form"
sequence="10"
id="menu_payment_journal_form"/>
<record model="ir.rule.group" id="rule_group_payment_journal_companies">
<field name="name">User in companies</field>
<field name="model">account.payment.journal</field>
<field name="global_p" eval="True"/>
</record>
<record model="ir.rule" id="rule_payment_journal_companies">
<field name="domain"
eval="[('company', 'in', Eval('companies', []))]"
pyson="1"/>
<field name="rule_group" ref="rule_group_payment_journal_companies"/>
</record>
<record model="ir.model.access" id="access_payment_journal">
<field name="model">account.payment.journal</field>
<field name="perm_read" eval="False"/>
<field name="perm_write" eval="False"/>
<field name="perm_create" eval="False"/>
<field name="perm_delete" eval="False"/>
</record>
<record model="ir.model.access" id="access_payment_journal_account_admin">
<field name="model">account.payment.journal</field>
<field name="group" ref="account.group_account_admin"/>
<field name="perm_read" eval="True"/>
<field name="perm_write" eval="True"/>
<field name="perm_create" eval="True"/>
<field name="perm_delete" eval="True"/>
</record>
<record model="ir.model.access" id="access_payment_journal_payment">
<field name="model">account.payment.journal</field>
<field name="group" ref="group_payment"/>
<field name="perm_read" eval="True"/>
<field name="perm_write" eval="False"/>
<field name="perm_create" eval="False"/>
<field name="perm_delete" eval="False"/>
</record>
<record model="ir.ui.view" id="payment_group_view_form">
<field name="model">account.payment.group</field>
<field name="type">form</field>
<field name="name">payment_group_form</field>
</record>
<record model="ir.ui.view" id="payment_group_view_list">
<field name="model">account.payment.group</field>
<field name="type">tree</field>
<field name="name">payment_group_list</field>
</record>
<record model="ir.action.act_window" id="act_payment_group_form">
<field name="name">Payment Groups</field>
<field name="res_model">account.payment.group</field>
</record>
<record model="ir.action.act_window.view"
id="act_payment_group_form_view1">
<field name="sequence" eval="10"/>
<field name="view" ref="payment_group_view_list"/>
<field name="act_window" ref="act_payment_group_form"/>
</record>
<record model="ir.action.act_window.view"
id="act_payment_group_form_view2">
<field name="sequence" eval="20"/>
<field name="view" ref="payment_group_view_form"/>
<field name="act_window" ref="act_payment_group_form"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_group_form_domain_not_completed">
<field name="name">Pending</field>
<field name="sequence" eval="10"/>
<field name="domain" eval="[('payment_complete', '=', False)]" pyson="1"/>
<field name="count" eval="True"/>
<field name="act_window" ref="act_payment_group_form"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_group_form_domain_all">
<field name="name">All</field>
<field name="sequence" eval="9999"/>
<field name="domain"></field>
<field name="act_window" ref="act_payment_group_form"/>
</record>
<menuitem
parent="menu_payments"
action="act_payment_group_form"
sequence="30"
id="menu_payment_group_form"/>
<record model="ir.rule.group" id="rule_group_payment_group_companies">
<field name="name">User in companies</field>
<field name="model">account.payment.group</field>
<field name="global_p" eval="True"/>
</record>
<record model="ir.rule" id="rule_payment_group_companies">
<field name="domain"
eval="[('company', 'in', Eval('companies', []))]"
pyson="1"/>
<field name="rule_group" ref="rule_group_payment_group_companies"/>
</record>
<record model="ir.model.access" id="access_payment_group">
<field name="model">account.payment.group</field>
<field name="perm_read" eval="False"/>
<field name="perm_write" eval="False"/>
<field name="perm_create" eval="False"/>
<field name="perm_delete" eval="False"/>
</record>
<record model="ir.model.access" id="access_payment_group_account_admin">
<field name="model">account.payment.group</field>
<field name="group" ref="account.group_account_admin"/>
<field name="perm_read" eval="True"/>
<field name="perm_write" eval="True"/>
<field name="perm_create" eval="False"/>
<field name="perm_delete" eval="False"/>
</record>
<record model="ir.model.access" id="access_payment_group_payment">
<field name="model">account.payment.group</field>
<field name="group" ref="group_payment"/>
<field name="perm_read" eval="True"/>
<field name="perm_write" eval="True"/>
<field name="perm_create" eval="False"/>
<field name="perm_delete" eval="False"/>
</record>
<record model="ir.model.button" id="payment_group_succeed_button">
<field name="model">account.payment.group</field>
<field name="name">succeed</field>
<field name="string">Succeed</field>
</record>
<record model="ir.sequence.type"
id="sequence_type_account_payment_group">
<field name="name">Account Payment Group</field>
</record>
<record model="ir.sequence.type-res.group"
id="sequence_type_account_payment_group_group_admin">
<field name="sequence_type"
ref="sequence_type_account_payment_group"/>
<field name="group" ref="res.group_admin"/>
</record>
<record model="ir.sequence.type-res.group"
id="sequence_type_account_payment_group_group_account_admin">
<field name="sequence_type"
ref="sequence_type_account_payment_group"/>
<field name="group" ref="account.group_account_admin"/>
</record>
<record model="ir.sequence" id="sequence_account_payment_group">
<field name="name">Default Account Payment Group</field>
<field name="sequence_type" ref="sequence_type_account_payment_group"/>
</record>
<record model="ir.ui.view" id="payment_view_form">
<field name="model">account.payment</field>
<field name="type">form</field>
<field name="name">payment_form</field>
</record>
<record model="ir.ui.view" id="payment_view_list">
<field name="model">account.payment</field>
<field name="type">tree</field>
<field name="name">payment_list</field>
</record>
<record model="ir.action.act_window" id="act_payment_form">
<field name="name">Payments</field>
<field name="res_model">account.payment</field>
</record>
<record model="ir.action.act_window.view"
id="act_payment_form_view1">
<field name="sequence" eval="10"/>
<field name="view" ref="payment_view_list"/>
<field name="act_window" ref="act_payment_form"/>
</record>
<record model="ir.action.act_window.view"
id="act_payment_form_view2">
<field name="sequence" eval="20"/>
<field name="view" ref="payment_view_form"/>
<field name="act_window" ref="act_payment_form"/>
</record>
<record model="ir.action.act_window" id="act_payment_form_payable">
<field name="name">Payable Payments</field>
<field name="res_model">account.payment</field>
<field name="domain" eval="[('kind', '=', 'payable')]" pyson="1"/>
<field name="context" eval="{'kind': 'payable'}" pyson="1"/>
</record>
<record model="ir.action.act_window.view" id="act_payment_form_payable_view1">
<field name="sequence" eval="10"/>
<field name="view" ref="payment_view_list"/>
<field name="act_window" ref="act_payment_form_payable"/>
</record>
<record model="ir.action.act_window.view" id="act_payment_form_payable_view2">
<field name="sequence" eval="20"/>
<field name="view" ref="payment_view_form"/>
<field name="act_window" ref="act_payment_form_payable"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_form_payable_domain_draft">
<field name="name">Draft</field>
<field name="sequence" eval="10"/>
<field name="domain" eval="[('state', '=', 'draft')]" pyson="1"/>
<field name="count" eval="True"/>
<field name="act_window" ref="act_payment_form_payable"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_form_payable_domain_to_approve">
<field name="name">To Approve</field>
<field name="sequence" eval="20"/>
<field name="domain" eval="[('state', '=', 'submitted')]" pyson="1"/>
<field name="count" eval="True"/>
<field name="act_window" ref="act_payment_form_payable"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_form_payable_domain_to_process">
<field name="name">To Process</field>
<field name="sequence" eval="30"/>
<field name="domain" eval="[('state', '=', 'approved')]" pyson="1"/>
<field name="count" eval="True"/>
<field name="act_window" ref="act_payment_form_payable"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_form_payable_domain_processing">
<field name="name">Processing</field>
<field name="sequence" eval="40"/>
<field name="domain" eval="[('state', '=', 'processing')]" pyson="1"/>
<field name="count" eval="True"/>
<field name="act_window" ref="act_payment_form_payable"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_form_payable_domain_all">
<field name="name">All</field>
<field name="sequence" eval="9999"/>
<field name="domain"></field>
<field name="act_window" ref="act_payment_form_payable"/>
</record>
<menuitem
parent="menu_payments"
action="act_payment_form_payable"
sequence="20"
id="menu_payment_form_payable"/>
<record model="ir.action.act_window" id="act_payment_form_receivable">
<field name="name">Receivable Payments</field>
<field name="res_model">account.payment</field>
<field name="domain" eval="[('kind', '=', 'receivable')]" pyson="1"/>
<field name="context" eval="{'kind': 'receivable'}" pyson="1"/>
</record>
<record model="ir.action.act_window.view" id="act_payment_form_receivable_view1">
<field name="sequence" eval="10"/>
<field name="view" ref="payment_view_list"/>
<field name="act_window" ref="act_payment_form_receivable"/>
</record>
<record model="ir.action.act_window.view" id="act_payment_form_receivable_view2">
<field name="sequence" eval="20"/>
<field name="view" ref="payment_view_form"/>
<field name="act_window" ref="act_payment_form_receivable"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_form_receivable_domain_draft">
<field name="name">Draft</field>
<field name="sequence" eval="10"/>
<field name="domain" eval="[('state', '=', 'draft')]" pyson="1"/>
<field name="count" eval="True"/>
<field name="act_window" ref="act_payment_form_receivable"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_form_receivable_domain_to_process">
<field name="name">To Process</field>
<field name="sequence" eval="30"/>
<field name="domain" eval="[('state', '=', 'submitted')]" pyson="1"/>
<field name="count" eval="True"/>
<field name="act_window" ref="act_payment_form_receivable"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_form_receivable_domain_processing">
<field name="name">Processing</field>
<field name="sequence" eval="40"/>
<field name="domain" eval="[('state', '=', 'processing')]" pyson="1"/>
<field name="count" eval="True"/>
<field name="act_window" ref="act_payment_form_receivable"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_form_receivable_domain_all">
<field name="name">All</field>
<field name="sequence" eval="9999"/>
<field name="domain"></field>
<field name="act_window" ref="act_payment_form_receivable"/>
</record>
<menuitem
parent="menu_payments"
action="act_payment_form_receivable"
sequence="20"
id="menu_payment_form_receivable"/>
<record model="ir.action.act_window" id="act_payment_form_relate_party">
<field name="name">Payments</field>
<field name="res_model">account.payment</field>
<field name="domain"
eval="[('party', 'in', Eval('active_ids', []))]"
pyson="1"/>
<field name="search_value" eval="[('state', 'not in', ['succeeded', 'failed'])]" pyson="1"/>
</record>
<record model="ir.action.act_window.view" id="act_payment_form_relate_party_view1">
<field name="sequence" eval="10"/>
<field name="view" ref="payment_view_list"/>
<field name="act_window" ref="act_payment_form_relate_party"/>
</record>
<record model="ir.action.act_window.view" id="act_payment_form_relate_party_view2">
<field name="sequence" eval="20"/>
<field name="view" ref="payment_view_form"/>
<field name="act_window" ref="act_payment_form_relate_party"/>
</record>
<record model="ir.action.keyword" id="act_payment_form_relate_party_keyword1">
<field name="keyword">form_relate</field>
<field name="model">party.party,-1</field>
<field name="action" ref="act_payment_form_relate_party"/>
</record>
<record model="ir.action-res.group" id="act_payment_form_relate_party-group_payment">
<field name="action" ref="act_payment_form_relate_party"/>
<field name="group" ref="group_payment"/>
</record>
<record model="ir.rule.group" id="rule_group_payment_companies">
<field name="name">User in companies</field>
<field name="model">account.payment</field>
<field name="global_p" eval="True"/>
</record>
<record model="ir.rule" id="rule_payment_companies">
<field name="domain"
eval="[('company', 'in', Eval('companies', []))]"
pyson="1"/>
<field name="rule_group" ref="rule_group_payment_companies"/>
</record>
<record model="ir.action.act_window" id="act_payment_form_line_relate">
<field name="name">Payments</field>
<field name="res_model">account.payment</field>
<field name="domain"
eval="[('line', 'in', Eval('active_ids', []))]"
pyson="1"/>
</record>
<record model="ir.action.act_window.view"
id="act_payment_form_line_relate_view1">
<field name="sequence" eval="10"/>
<field name="view" ref="payment_view_list"/>
<field name="act_window" ref="act_payment_form_line_relate"/>
</record>
<record model="ir.action.act_window.view"
id="act_payment_form_line_relate_view2">
<field name="sequence" eval="20"/>
<field name="view" ref="payment_view_form"/>
<field name="act_window" ref="act_payment_form_line_relate"/>
</record>
<record model="ir.action.keyword"
id="act_payment_form_line_relate_keyword1">
<field name="keyword">form_relate</field>
<field name="model">account.move.line,-1</field>
<field name="action" ref="act_payment_form_line_relate"/>
</record>
<record model="ir.action.act_window" id="act_payment_form_group_open">
<field name="name">Payments</field>
<field name="res_model">account.payment</field>
<field name="domain"
eval="[('group', 'in', Eval('active_ids', []))]" pyson="1"/>
</record>
<record model="ir.action.act_window.view"
id="act_payment_form_group_open_view1">
<field name="sequence" eval="10"/>
<field name="view" ref="payment_view_list"/>
<field name="act_window" ref="act_payment_form_group_open"/>
</record>
<record model="ir.action.act_window.view"
id="act_payment_form_group_open_view2">
<field name="sequence" eval="20"/>
<field name="view" ref="payment_view_form"/>
<field name="act_window" ref="act_payment_form_group_open"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_form_group_open_domain_processing">
<field name="name">Processing</field>
<field name="sequence" eval="10"/>
<field name="domain" eval="[('state', 'not in', ['succeeded', 'failed'])]" pyson="1"/>
<field name="count" eval="True"/>
<field name="act_window" ref="act_payment_form_group_open"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_form_group_open_domain_succeeded">
<field name="name">Succeeded</field>
<field name="sequence" eval="20"/>
<field name="domain" eval="[('state', '=', 'succeeded')]" pyson="1"/>
<field name="count" eval="True"/>
<field name="act_window" ref="act_payment_form_group_open"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_form_group_open_domain_failed">
<field name="name">Failed</field>
<field name="sequence" eval="30"/>
<field name="domain" eval="[('state', '=', 'failed')]" pyson="1"/>
<field name="count" eval="True"/>
<field name="act_window" ref="act_payment_form_group_open"/>
</record>
<record model="ir.action.act_window.domain" id="act_payment_form_group_open_domain_all">
<field name="name">All</field>
<field name="sequence" eval="9999"/>
<field name="domain"></field>
<field name="act_window" ref="act_payment_form_group_open"/>
</record>
<record model="ir.action.keyword"
id="act_payment_form_group_relate_keyword1">
<field name="keyword">form_relate</field>
<field name="model">account.payment.group,-1</field>
<field name="action" ref="act_payment_form_group_open"/>
</record>
<record model="ir.model.access" id="access_payment">
<field name="model">account.payment</field>
<field name="perm_read" eval="False"/>
<field name="perm_write" eval="False"/>
<field name="perm_create" eval="False"/>
<field name="perm_delete" eval="False"/>
</record>
<record model="ir.model.access" id="access_payment_account_admin">
<field name="model">account.payment</field>
<field name="group" ref="account.group_account_admin"/>
<field name="perm_read" eval="True"/>
<field name="perm_write" eval="True"/>
<field name="perm_create" eval="True"/>
<field name="perm_delete" eval="True"/>
</record>
<record model="ir.model.access" id="access_payment_payment">
<field name="model">account.payment</field>
<field name="group" ref="group_payment"/>
<field name="perm_read" eval="True"/>
<field name="perm_write" eval="True"/>
<field name="perm_create" eval="True"/>
<field name="perm_delete" eval="True"/>
</record>
<record model="ir.model.access" id="access_payment_payment_approval">
<field name="model">account.payment</field>
<field name="group" ref="group_payment_approval"/>
<field name="perm_read" eval="True"/>
<field name="perm_write" eval="False"/>
<field name="perm_create" eval="False"/>
<field name="perm_delete" eval="False"/>
</record>
<record model="ir.model.button" id="payment_draft_button">
<field name="model">account.payment</field>
<field name="name">draft</field>
<field name="string">Draft</field>
</record>
<record model="ir.model.button" id="payment_submit_button">
<field name="model">account.payment</field>
<field name="name">submit</field>
<field name="string">Submit</field>
</record>
<record model="ir.model.button" id="payment_approve_button">
<field name="model">account.payment</field>
<field name="name">approve</field>
<field name="string">Approve</field>
</record>
<record model="ir.model.button-res.group" id="payment_approve_button_group_payment_approval">
<field name="button" ref="payment_approve_button"/>
<field name="group" ref="group_payment_approval"/>
</record>
<record model="ir.model.button" id="payment_process_wizard_button">
<field name="model">account.payment</field>
<field name="name">process_wizard</field>
<field name="string">Process</field>
<field name="confirm">Are you sure you want to process the payments?</field>
</record>
<record model="ir.model.button" id="payment_proceed_button">
<field name="model">account.payment</field>
<field name="name">proceed</field>
<field name="string">Processing</field>
</record>
<record model="ir.model.button" id="payment_succeed_button">
<field name="model">account.payment</field>
<field name="name">succeed</field>
<field name="string">Succeed</field>
</record>
<record model="ir.model.button" id="payment_fail_button">
<field name="model">account.payment</field>
<field name="name">fail</field>
<field name="string">Fail</field>
</record>
<record model="ir.sequence.type" id="sequence_type_account_payment">
<field name="name">Account Payment Group</field>
</record>
<record model="ir.sequence.type-res.group" id="sequence_type_account_payment_group_admin">
<field name="sequence_type" ref="sequence_type_account_payment"/>
<field name="group" ref="res.group_admin"/>
</record>
<record model="ir.sequence.type-res.group" id="sequence_type_account_payment_group_account_admin">
<field name="sequence_type" ref="sequence_type_account_payment"/>
<field name="group" ref="account.group_account_admin"/>
</record>
<record model="ir.sequence" id="sequence_account_payment">
<field name="name">Default Account Payment</field>
<field name="sequence_type" ref="sequence_type_account_payment"/>
</record>
<record model="ir.action.wizard" id="act_process_payments">
<field name="name">Process Payments</field>
<field name="wiz_name">account.payment.process</field>
<field name="model">account.payment</field>
</record>
</data>
</tryton>

View File

@@ -0,0 +1,2 @@
# This file is part of Tryton. The COPYRIGHT file at the top level of
# this repository contains the full copyright notices and license terms.

View File

@@ -0,0 +1,192 @@
================
Payment Scenario
================
Imports::
>>> import datetime as dt
>>> from decimal import Decimal
>>> from proteus import Model, Wizard
>>> from trytond.modules.account.tests.tools import (
... create_chart, create_fiscalyear, get_accounts)
>>> from trytond.modules.company.tests.tools import create_company
>>> from trytond.tests.tools import activate_modules, assertEqual
>>> today = dt.date.today()
>>> tomorrow = today + dt.timedelta(days=1)
Activate modules::
>>> config = activate_modules('account_payment', create_company, create_chart)
Set employee::
>>> User = Model.get('res.user')
>>> Party = Model.get('party.party')
>>> Employee = Model.get('company.employee')
>>> employee_party = Party(name="Employee")
>>> employee_party.save()
>>> employee = Employee(party=employee_party)
>>> employee.save()
>>> user = User(config.user)
>>> user.employees.append(employee)
>>> user.employee = employee
>>> user.save()
Create fiscal year::
>>> fiscalyear = create_fiscalyear(today=(today, tomorrow))
>>> fiscalyear.click('create_period')
Get accounts::
>>> accounts = get_accounts()
>>> payable = accounts['payable']
>>> expense = accounts['expense']
>>> Journal = Model.get('account.journal')
>>> expense_journal, = Journal.find([('code', '=', 'EXP')])
Create payment journal::
>>> PaymentJournal = Model.get('account.payment.journal')
>>> payment_journal = PaymentJournal(name='Manual',
... process_method='manual')
>>> payment_journal.save()
Create parties::
>>> customer = Party(name='Customer')
>>> customer.save()
>>> supplier = Party(name='Supplier')
>>> supplier.save()
Create payable move::
>>> Move = Model.get('account.move')
>>> move = Move()
>>> move.journal = expense_journal
>>> line = move.lines.new(
... account=payable, party=supplier, maturity_date=tomorrow,
... credit=Decimal('50.00'))
>>> line = move.lines.new(account=expense, debit=Decimal('50.00'))
>>> move.click('post')
Partially pay line::
>>> Payment = Model.get('account.payment')
>>> line, = [l for l in move.lines if l.account == payable]
>>> pay_line = Wizard('account.move.line.pay', [line])
>>> pay_line.form.date = tomorrow
>>> pay_line.execute('next_')
>>> assertEqual(pay_line.form.journal, payment_journal)
>>> pay_line.execute('next_')
>>> payment, = Payment.find()
>>> bool(payment.number)
True
>>> assertEqual(payment.date, tomorrow)
>>> assertEqual(payment.party, supplier)
>>> payment.amount
Decimal('50.00')
>>> payment.amount = Decimal('20.00')
>>> payment.reference_type = 'creditor_reference'
>>> payment.reference = 'RF18539007547034'
>>> payment.reference
'RF18 5390 0754 7034'
>>> payment.click('submit')
>>> assertEqual(payment.submitted_by, employee)
>>> payment.click('approve')
>>> assertEqual(payment.approved_by, employee)
>>> payment.state
'approved'
>>> process_payment = payment.click('process_wizard')
>>> group, = process_payment.actions[0]
>>> assertEqual(group.payments, [payment])
>>> payment.state
'processing'
>>> line.reload()
>>> line.payment_amount
Decimal('30.00')
Check the properties of the payment group::
>>> group = payment.group
>>> group.payment_count
1
>>> group.payment_amount
Decimal('20.00')
>>> group.payment_amount_succeeded
>>> group.payment_complete
False
Success the payment and recheck the payment group::
>>> group.click('succeed')
>>> payment.reload()
>>> assertEqual(payment.succeeded_by, employee)
>>> payment.state
'succeeded'
>>> group.reload()
>>> group.payment_amount_succeeded
Decimal('20.00')
>>> group.payment_complete
True
Search for the completed payment::
>>> PaymentGroup = Model.get('account.payment.group')
>>> group, = PaymentGroup.find([('payment_complete', '=', 'True')])
>>> group.payment_complete
True
>>> assertEqual(group, payment.group)
Partially fail to pay the remaining::
>>> pay_line = Wizard('account.move.line.pay', [line])
>>> pay_line.execute('next_')
>>> pay_line.execute('next_')
>>> payment, = Payment.find([('state', '=', 'draft')])
>>> payment.amount
Decimal('30.00')
>>> payment.click('submit')
>>> payment.click('approve')
>>> process_payment = payment.click('process_wizard')
>>> line.reload()
>>> line.payment_amount
Decimal('0.00')
>>> payment.reload()
>>> payment.click('fail')
>>> assertEqual(payment.failed_by, employee)
>>> payment.state
'failed'
>>> payment.group.payment_complete
True
>>> payment.group.payment_amount_succeeded
>>> line.reload()
>>> line.payment_amount
Decimal('30.00')
Pay line and block it after::
>>> move, = move.duplicate()
>>> move.click('post')
>>> line, = [l for l in move.lines if l.account == payable]
>>> pay_line = Wizard('account.move.line.pay', [line])
>>> pay_line.execute('next_')
>>> pay_line.execute('next_')
>>> len(line.payments)
1
>>> line.click('payment_block')
>>> len(line.payments)
0
Try to pay blocked line::
>>> pay_line = Wizard('account.move.line.pay', [line])
>>> pay_line.execute('next_')
>>> pay_line.execute('next_')
Traceback (most recent call last):
...
BlockedWarning: ...

View File

@@ -0,0 +1,81 @@
=====================================
Payment Blocked Direct Debit Scenario
=====================================
Imports::
>>> import datetime as dt
>>> from decimal import Decimal
>>> from proteus import Model, Wizard
>>> from trytond.modules.account.tests.tools import (
... create_chart, create_fiscalyear, get_accounts)
>>> from trytond.modules.company.tests.tools import create_company
>>> from trytond.tests.tools import activate_modules
>>> today = dt.date.today()
Activate modules::
>>> config = activate_modules('account_payment', create_company, create_chart)
>>> Journal = Model.get('account.journal')
>>> Line = Model.get('account.move.line')
>>> Move = Model.get('account.move')
>>> Party = Model.get('party.party')
>>> Payment = Model.get('account.payment')
>>> PaymentJournal = Model.get('account.payment.journal')
Create fiscal year::
>>> fiscalyear = create_fiscalyear()
>>> fiscalyear.click('create_period')
Get accounts::
>>> accounts = get_accounts()
>>> revnue_journal, = Journal.find([('code', '=', 'REV')])
Create payment journal::
>>> payment_journal = PaymentJournal(
... name="Manual", process_method='manual')
>>> payment_journal.save()
Create parties::
>>> customer = Party(name="Customer")
>>> _ = customer.reception_direct_debits.new(journal=payment_journal)
>>> customer.save()
Create receivable moves::
>>> move = Move()
>>> move.journal = revnue_journal
>>> line = move.lines.new(
... account=accounts['receivable'], party=customer,
... debit=Decimal('100.00'), maturity_date=today)
>>> line = move.lines.new(
... account=accounts['revenue'],
... credit=Decimal('100.00'))
>>> move.click('post')
Direct debit is not created when payment blocked::
>>> line, = Line.find([('party', '=', customer.id)])
>>> line.click('payment_block')
>>> create_direct_debit = Wizard('account.move.line.create_direct_debit')
>>> create_direct_debit.form.date = today
>>> create_direct_debit.execute('create_')
>>> len(Payment.find([]))
0
Direct debit is created when payment is unblocked::
>>> line.click('payment_unblock')
>>> create_direct_debit = Wizard('account.move.line.create_direct_debit')
>>> create_direct_debit.form.date = today
>>> create_direct_debit.execute('create_')
>>> len(Payment.find([]))
1

View File

@@ -0,0 +1,77 @@
=====================================
Supplier Credit Note Payment Scenario
=====================================
Imports::
>>> from decimal import Decimal
>>> from proteus import Model, Wizard
>>> from trytond.modules.account.tests.tools import (
... create_chart, create_fiscalyear, get_accounts)
>>> from trytond.modules.account_invoice.tests.tools import (
... set_fiscalyear_invoice_sequences)
>>> from trytond.modules.company.tests.tools import create_company
>>> from trytond.tests.tools import activate_modules
Activate modules::
>>> config = activate_modules(
... ['account_payment', 'account_invoice'], create_company, create_chart)
>>> Invoice = Model.get('account.invoice')
>>> Party = Model.get('party.party')
>>> Payment = Model.get('account.payment')
>>> PaymentJournal = Model.get('account.payment.journal')
Create fiscal year::
>>> fiscalyear = set_fiscalyear_invoice_sequences(create_fiscalyear())
>>> fiscalyear.click('create_period')
Get accounts::
>>> accounts = get_accounts()
Create payment journal::
>>> payment_journal = PaymentJournal(name="Manual", process_method='manual')
>>> payment_journal.save()
Create party::
>>> party = Party(name="Supplier")
>>> party.save()
Create invoice::
>>> invoice = Invoice(type='in')
>>> invoice.party = party
>>> invoice.invoice_date = fiscalyear.start_date
>>> line = invoice.lines.new()
>>> line.account = accounts['expense']
>>> line.quantity = -1
>>> line.unit_price = Decimal('100')
>>> invoice.click('post')
>>> invoice.state
'posted'
>>> invoice.amount_to_pay
Decimal('-100.00')
>>> line_to_pay, = invoice.lines_to_pay
Partially receive payment::
>>> pay_line = Wizard('account.move.line.pay', [line_to_pay])
>>> pay_line.execute('next_')
>>> pay_line.execute('next_')
>>> payment, = Payment.find()
>>> payment.kind
'receivable'
>>> payment.amount = Decimal('20')
>>> payment.click('submit')
Check amount to pay::
>>> invoice.reload()
>>> invoice.amount_to_pay
Decimal('-80.00')

View File

@@ -0,0 +1,97 @@
=============================
Payment Direct Debit Scenario
=============================
Imports::
>>> import datetime as dt
>>> from decimal import Decimal
>>> from proteus import Model, Wizard
>>> from trytond.modules.account.tests.tools import (
... create_chart, create_fiscalyear, get_accounts)
>>> from trytond.modules.company.tests.tools import create_company
>>> from trytond.tests.tools import activate_modules, assertEqual, assertIsNotNone
>>> today = dt.date.today()
>>> tomorrow = today + dt.timedelta(days=1)
>>> after_tomorrow = tomorrow + dt.timedelta(days=1)
Activate modules::
>>> config = activate_modules('account_payment', create_company, create_chart)
>>> Journal = Model.get('account.journal')
>>> Move = Model.get('account.move')
>>> Party = Model.get('party.party')
>>> Payment = Model.get('account.payment')
>>> PaymentJournal = Model.get('account.payment.journal')
Create fiscal year::
>>> fiscalyear = create_fiscalyear(today=(today, after_tomorrow))
>>> fiscalyear.click('create_period')
Get accounts::
>>> accounts = get_accounts()
>>> revnue_journal, = Journal.find([('code', '=', 'REV')])
Create payment journal::
>>> payment_journal = PaymentJournal(
... name="Manual", process_method='manual')
>>> payment_journal.save()
Create parties::
>>> customer1 = Party(name="Customer 1")
>>> _ = customer1.reception_direct_debits.new(journal=payment_journal)
>>> customer1.save()
>>> customer2 = Party(name="Customer 2")
>>> customer2.save()
Create receivable moves::
>>> move = Move()
>>> move.journal = revnue_journal
>>> line = move.lines.new(
... account=accounts['receivable'], party=customer1,
... debit=Decimal('100.00'), maturity_date=tomorrow)
>>> line = move.lines.new(
... account=accounts['revenue'],
... credit=Decimal('100.00'))
>>> move.click('post')
>>> move = Move()
>>> move.journal = revnue_journal
>>> line = move.lines.new(
... account=accounts['receivable'], party=customer2,
... debit=Decimal('200.00'), maturity_date=tomorrow)
>>> line = move.lines.new(
... account=accounts['revenue'],
... credit=Decimal('200.00'))
>>> move.click('post')
Create direct debit::
>>> create_direct_debit = Wizard('account.move.line.create_direct_debit')
>>> create_direct_debit.form.date = after_tomorrow
>>> create_direct_debit.execute('create_')
>>> payment, = Payment.find([])
>>> payment.amount
Decimal('100.00')
>>> assertEqual(payment.party, customer1)
>>> assertEqual(payment.date, tomorrow)
>>> assertEqual(payment.journal, payment_journal)
>>> assertIsNotNone(payment.line)
Re-run create direct debit does nothing::
>>> create_direct_debit = Wizard('account.move.line.create_direct_debit')
>>> create_direct_debit.form.date = after_tomorrow
>>> create_direct_debit.execute('create_')
>>> assertEqual(Payment.find([]), [payment])

View File

@@ -0,0 +1,92 @@
=============================================
Account Payment Direct Debit Balance Scenario
=============================================
Imports::
>>> import datetime as dt
>>> from decimal import Decimal
>>> from proteus import Model, Wizard
>>> from trytond.modules.account.tests.tools import (
... create_chart, create_fiscalyear, get_accounts)
>>> from trytond.modules.company.tests.tools import create_company
>>> from trytond.tests.tools import activate_modules, assertEqual, assertIsNone
>>> today = dt.date.today()
Activate modules::
>>> config = activate_modules('account_payment', create_company, create_chart)
>>> Journal = Model.get('account.journal')
>>> Move = Model.get('account.move')
>>> Party = Model.get('party.party')
>>> Payment = Model.get('account.payment')
>>> PaymentJournal = Model.get('account.payment.journal')
Create fiscal year::
>>> fiscalyear = create_fiscalyear()
>>> fiscalyear.click('create_period')
Get accounts::
>>> accounts = get_accounts()
>>> revnue_journal, = Journal.find([('code', '=', 'REV')])
Create payment journal::
>>> payment_journal = PaymentJournal(
... name="Manual", process_method='manual')
>>> payment_journal.save()
Create parties::
>>> customer = Party(name="Customer")
>>> _ = customer.reception_direct_debits.new(
... journal=payment_journal, type='balance')
>>> customer.save()
Create receivable moves::
>>> move = Move()
>>> move.journal = revnue_journal
>>> line = move.lines.new(
... account=accounts['receivable'], party=customer,
... debit=Decimal('100.00'), maturity_date=today)
>>> line = move.lines.new(
... account=accounts['revenue'],
... credit=Decimal('100.00'))
>>> move.click('post')
Create direct debit::
>>> create_direct_debit = Wizard('account.move.line.create_direct_debit')
>>> create_direct_debit.execute('create_')
>>> payment, = Payment.find([])
>>> payment.amount
Decimal('100.00')
>>> assertEqual(payment.party, customer)
>>> assertEqual(payment.journal, payment_journal)
>>> assertIsNone(payment.line)
>>> payment.amount = Decimal('25.00')
>>> payment.save()
Re-run create a second direct debit::
>>> create_direct_debit = Wizard('account.move.line.create_direct_debit')
>>> create_direct_debit.execute('create_')
>>> payment2, = Payment.find([('id', '!=', payment.id)])
>>> payment2.amount
Decimal('75.00')
Re-run create direct debit does nothing::
>>> create_direct_debit = Wizard('account.move.line.create_direct_debit')
>>> create_direct_debit.execute('create_')
>>> assertEqual(Payment.find([]), [payment, payment2])

View File

@@ -0,0 +1,128 @@
================================
Account Payment Dunning Scenario
================================
Imports::
>>> import datetime as dt
>>> from decimal import Decimal
>>> from proteus import Model, Wizard
>>> from trytond.modules.account.tests.tools import (
... create_chart, create_fiscalyear, get_accounts)
>>> from trytond.modules.company.tests.tools import create_company
>>> from trytond.tests.tools import activate_modules, assertEqual
>>> today = dt.date.today()
Activate modules::
>>> config = activate_modules(
... ['account_payment', 'account_dunning'], create_company, create_chart)
>>> Dunning = Model.get('account.dunning')
>>> Journal = Model.get('account.journal')
>>> Move = Model.get('account.move')
>>> Party = Model.get('party.party')
>>> PaymentJournal = Model.get('account.payment.journal')
>>> Procedure = Model.get('account.dunning.procedure')
Get accounts::
>>> accounts = get_accounts()
>>> expense_journal, = Journal.find([('code', '=', 'EXP')])
Create fiscal year::
>>> fiscalyear = create_fiscalyear(today=today)
>>> fiscalyear.click('create_period')
Create dunning procedure::
>>> procedure = Procedure(name='Procedure')
>>> level = procedure.levels.new(overdue=dt.timedelta(0))
>>> procedure.save()
Create payment journal::
>>> payment_journal = PaymentJournal(
... name='Manual',
... process_method='manual')
>>> payment_journal.save()
Create parties::
>>> customer = Party(name='Customer')
>>> customer.dunning_procedure = procedure
>>> customer.save()
Create payable move::
>>> move = Move()
>>> move.journal = expense_journal
>>> line = move.lines.new()
>>> line.party = customer
>>> line.account = accounts['receivable']
>>> line.debit = Decimal('50.00')
>>> line.maturity_date = today
>>> line = move.lines.new()
>>> line.account = accounts['revenue']
>>> line.credit = Decimal('50.00')
>>> move.click('post')
Make a payment::
>>> line, = [l for l in move.lines if l.account == accounts['receivable']]
>>> line.payment_amount
Decimal('50.00')
>>> pay_line = Wizard('account.move.line.pay', [line])
>>> pay_line.execute('next_')
>>> pay_line.execute('next_')
>>> payment, = line.payments
>>> line.payment_amount
Decimal('0.00')
Create no dunning::
>>> create_dunning = Wizard('account.dunning.create')
>>> create_dunning.execute('create_')
>>> Dunning.find([])
[]
Fail the payment::
>>> payment.click('submit')
>>> process_payment = payment.click('process_wizard')
>>> group, = process_payment.actions[0]
>>> assertEqual(group.payments, [payment])
>>> payment.click('fail')
>>> payment.state
'failed'
>>> line.reload()
>>> line.payment_amount
Decimal('50.00')
Create dunning::
>>> create_dunning = Wizard('account.dunning.create')
>>> create_dunning.execute('create_')
>>> dunning, = Dunning.find([])
>>> assertEqual(dunning.line, line)
Recreate a payment::
>>> pay_line = Wizard('account.move.line.pay', [line])
>>> pay_line.execute('next_')
>>> pay_line.execute('next_')
>>> _, payment = line.payments
>>> payment.state
'draft'
Dunning is inactive::
>>> dunning.reload()
>>> dunning.active
False
>>> Dunning.find([])
[]

View File

@@ -0,0 +1,155 @@
========================
Invoice Payment Scenario
========================
Imports::
>>> from decimal import Decimal
>>> from proteus import Model, Wizard
>>> from trytond.modules.account.tests.tools import (
... create_chart, create_fiscalyear, get_accounts)
>>> from trytond.modules.account_invoice.tests.tools import (
... set_fiscalyear_invoice_sequences)
>>> from trytond.modules.company.tests.tools import create_company
>>> from trytond.tests.tools import activate_modules
Activate modules::
>>> config = activate_modules(
... ['account_payment', 'account_invoice'], create_company, create_chart)
Create fiscal year::
>>> fiscalyear = set_fiscalyear_invoice_sequences(create_fiscalyear())
>>> fiscalyear.click('create_period')
Get accounts::
>>> accounts = get_accounts()
>>> payable = accounts['payable']
>>> receivable = accounts['receivable']
>>> revenue = accounts['revenue']
>>> Journal = Model.get('account.journal')
>>> expense, = Journal.find([('code', '=', 'EXP')])
Create payment journal::
>>> PaymentJournal = Model.get('account.payment.journal')
>>> payment_journal = PaymentJournal(name='Manual',
... process_method='manual')
>>> payment_journal.save()
Create party::
>>> Party = Model.get('party.party')
>>> party = Party(name='Party')
>>> party.save()
Create invoice::
>>> Invoice = Model.get('account.invoice')
>>> invoice = Invoice()
>>> invoice.party = party
>>> line = invoice.lines.new()
>>> line.description = 'Description'
>>> line.account = revenue
>>> line.quantity = 1
>>> line.unit_price = Decimal('100')
>>> invoice.click('post')
>>> invoice.state
'posted'
>>> invoice.amount_to_pay
Decimal('100.00')
>>> line_to_pay, = invoice.lines_to_pay
>>> bool(line_to_pay.payment_direct_debit)
False
Partially pay line::
>>> Payment = Model.get('account.payment')
>>> pay_line = Wizard('account.move.line.pay', [line_to_pay])
>>> pay_line.execute('next_')
>>> pay_line.execute('next_')
>>> payment, = Payment.find()
>>> payment.amount = Decimal('20')
>>> payment.click('submit')
Check amount to pay::
>>> invoice.reload()
>>> invoice.amount_to_pay
Decimal('80.00')
Process the payment::
>>> process_payment = payment.click('process_wizard')
Check amount to pay::
>>> invoice.reload()
>>> invoice.amount_to_pay
Decimal('80.00')
Fail the payment::
>>> payment.click('fail')
Check amount to pay::
>>> invoice.reload()
>>> invoice.amount_to_pay
Decimal('100.00')
Create multiple valid payments for one line::
>>> line_to_pay, = invoice.lines_to_pay
>>> pay_line = Wizard('account.move.line.pay', [line_to_pay])
>>> pay_line.execute('next_')
>>> pay_line.execute('next_')
>>> payment, = pay_line.actions[0]
>>> payment.amount
Decimal('100.00')
>>> payment.amount = Decimal('30.00')
>>> payment.save()
>>> pay_line = Wizard('account.move.line.pay', [line_to_pay])
>>> pay_line.execute('next_')
>>> pay_line.execute('next_')
>>> payment, = pay_line.actions[0]
>>> payment.amount
Decimal('70.00')
>>> payment.amount = Decimal('30.00')
>>> payment.save()
>>> payments = Payment.find([('state', '=', 'draft')])
>>> Payment.click(payments, 'submit')
Check amount to pay::
>>> invoice.reload()
>>> invoice.amount_to_pay
Decimal('40.00')
Set party as direct debit::
>>> party.payment_direct_debit = True
>>> party.save()
Create invoice::
>>> Invoice = Model.get('account.invoice')
>>> invoice = Invoice()
>>> invoice.party = party
>>> bool(invoice.payment_direct_debit)
True
>>> line = invoice.lines.new()
>>> line.description = 'Description'
>>> line.account = revenue
>>> line.quantity = 1
>>> line.unit_price = Decimal('50')
>>> invoice.click('post')
>>> invoice.state
'posted'
>>> line_to_pay, = invoice.lines_to_pay
>>> bool(line_to_pay.payment_direct_debit)
True

View File

@@ -0,0 +1,79 @@
=========================
Payment Planning Scenario
=========================
Imports::
>>> import datetime as dt
>>> from decimal import Decimal
>>> from proteus import Model, Wizard
>>> from trytond.modules.account.tests.tools import (
... create_chart, create_fiscalyear, get_accounts)
>>> from trytond.modules.company.tests.tools import create_company
>>> from trytond.tests.tools import activate_modules, assertEqual
>>> today = dt.date.today()
>>> tomorrow = today + dt.timedelta(days=1)
>>> next_week = today + dt.timedelta(weeks=1)
Activate modules::
>>> config = activate_modules('account_payment', create_company, create_chart)
Create fiscal year::
>>> fiscalyear = create_fiscalyear(today=(today, next_week))
>>> fiscalyear.click('create_period')
Get accounts::
>>> accounts = get_accounts()
>>> payable = accounts['payable']
>>> expense = accounts['expense']
>>> Journal = Model.get('account.journal')
>>> expense_journal, = Journal.find([('code', '=', 'EXP')])
Create payment journal::
>>> PaymentJournal = Model.get('account.payment.journal')
>>> payment_journal = PaymentJournal(name='Manual',
... process_method='manual')
>>> payment_journal.save()
Create parties::
>>> Party = Model.get('party.party')
>>> supplier = Party(name='Supplier')
>>> supplier.save()
Create payable move::
>>> Move = Model.get('account.move')
>>> move = Move()
>>> move.journal = expense_journal
>>> line = move.lines.new(account=payable, party=supplier,
... credit=Decimal('50.00'), maturity_date=next_week)
>>> line = move.lines.new(account=expense, debit=Decimal('50.00'))
>>> move.click('post')
Paying the line without date uses the maturity date::
>>> Payment = Model.get('account.payment')
>>> line, = [l for l in move.lines if l.account == payable]
>>> pay_line = Wizard('account.move.line.pay', [line])
>>> pay_line.execute('next_')
>>> pay_line.execute('next_')
>>> payment, = Payment.find()
>>> assertEqual(payment.date, next_week)
The date on the payment wizard is used for payment date::
>>> payment.delete()
>>> pay_line = Wizard('account.move.line.pay', [line])
>>> pay_line.form.date = tomorrow
>>> pay_line.execute('next_')
>>> pay_line.execute('next_')
>>> payment, = Payment.find()
>>> assertEqual(payment.date, tomorrow)

View File

@@ -0,0 +1,104 @@
============================================
Account Payment with Statement Rule Scenario
============================================
Imports::
>>> import datetime as dt
>>> from decimal import Decimal
>>> from proteus import Model
>>> from trytond.modules.account.tests.tools import (
... create_chart, create_fiscalyear, get_accounts)
>>> from trytond.modules.account_invoice.tests.tools import (
... set_fiscalyear_invoice_sequences)
>>> from trytond.modules.company.tests.tools import create_company
>>> from trytond.tests.tools import activate_modules, assertEqual
>>> today = dt.date.today()
Activate modules::
>>> config = activate_modules(
... ['account_payment', 'account_statement', 'account_statement_rule'],
... create_company, create_chart)
>>> AccountJournal = Model.get('account.journal')
>>> Party = Model.get('party.party')
>>> Payment = Model.get('account.payment')
>>> PaymentJournal = Model.get('account.payment.journal')
>>> Statement = Model.get('account.statement')
>>> StatementJournal = Model.get('account.statement.journal')
>>> StatementRule = Model.get('account.statement.rule')
Create fiscal year::
>>> fiscalyear = set_fiscalyear_invoice_sequences(
... create_fiscalyear())
>>> fiscalyear.click('create_period')
Get accounts::
>>> accounts = get_accounts()
Create journals::
>>> payment_journal = PaymentJournal(
... name="Check", process_method='manual')
>>> payment_journal.save()
>>> account_journal, = AccountJournal.find([('code', '=', 'STA')], limit=1)
>>> statement_journal = StatementJournal(
... name="Statement",
... journal=account_journal,
... validation='amount',
... account=accounts['cash'])
>>> statement_journal.save()
Create parties::
>>> customer = Party(name="Customer")
>>> customer.save()
Create statement rules for payment::
>>> statement_rule = StatementRule(name="Rule Payment")
>>> statement_rule.description = r"Payment: *(?P<payment>.*)"
>>> statement_line = statement_rule.lines.new()
>>> statement_line.amount = "pending"
>>> statement_rule.save()
Receive a payments::
>>> payment = Payment(kind='receivable')
>>> payment.journal = payment_journal
>>> payment.party = customer
>>> payment.amount = Decimal('100.00')
>>> payment.click('submit')
>>> process_payment = payment.click('process_wizard')
>>> payment.state
'processing'
Create a statement with payment and group as origins::
>>> statement = Statement(
... name="001",
... journal=statement_journal,
... total_amount=Decimal('100.00'))
>>> origin = statement.origins.new()
>>> origin.date = today
>>> origin.amount = Decimal('100.00')
>>> origin.description = "Payment: %s" % payment.rec_name
>>> statement.click('apply_rules')
>>> line, = statement.lines
>>> assertEqual(line.related_to, payment)
Check payments are succeeded after validation::
>>> statement.click('validate_statement')
>>> statement.state
'validated'
>>> payment.reload()
>>> payment.state
'succeeded'

View File

@@ -0,0 +1,139 @@
=================================
Account Payment Warnings Scenario
=================================
Imports::
>>> import datetime as dt
>>> from decimal import Decimal
>>> from proteus import Model, Wizard
>>> from trytond.modules.account.tests.tools import (
... create_chart, create_fiscalyear, get_accounts)
>>> from trytond.modules.company.tests.tools import create_company
>>> from trytond.tests.tools import activate_modules
>>> today = dt.date.today()
Activate modules::
>>> config = activate_modules('account_payment', create_company, create_chart)
>>> Journal = Model.get('account.journal')
>>> Move = Model.get('account.move')
>>> Party = Model.get('party.party')
>>> Payment = Model.get('account.payment')
>>> PaymentJournal = Model.get('account.payment.journal')
Create fiscal year::
>>> fiscalyear = create_fiscalyear()
>>> fiscalyear.click('create_period')
Get accounts::
>>> accounts = get_accounts()
>>> expense_journal, = Journal.find([('code', '=', 'EXP')])
>>> cash_journal, = Journal.find([('code', '=', 'CASH')])
Create payment journal::
>>> payment_journal = PaymentJournal(
... name="Manual", process_method='manual')
>>> payment_journal.save()
Create parties::
>>> supplier = Party(name="Supplier")
>>> supplier.save()
>>> supplier2 = Party(name="Supplier 2")
>>> supplier2.save()
Create receivable moves::
>>> move = Move()
>>> move.journal = expense_journal
>>> line = move.lines.new(
... account=accounts['payable'], party=supplier, maturity_date=today,
... credit=Decimal('100.00'))
>>> line = move.lines.new(
... account=accounts['expense'],
... debit=Decimal('100.00'))
>>> move.click('post')
>>> move.state
'posted'
>>> move2, = move.duplicate()
>>> move2.click('post')
Pay line::
>>> line, = [l for l in move.lines if l.account == accounts['payable']]
>>> pay_line = Wizard('account.move.line.pay', [line])
>>> pay_line.form.date = today
>>> pay_line.execute('next_')
>>> pay_line.execute('next_')
>>> payment, = Payment.find()
Try to cancel move::
>>> cancel_move = Wizard('account.move.cancel', [move])
>>> cancel_move.execute('cancel')
Traceback (most recent call last):
...
CancelWarning: ...
Try to group lines::
>>> line2, = [l for l in move2.lines if l.account == accounts['payable']]
>>> group_line = Wizard('account.move.line.group', [line, line2])
>>> group_line.execute('group')
Traceback (most recent call last):
...
GroupLineWarning: ...
Try to reschedule line::
>>> reschedule_line = Wizard('account.move.line.reschedule', [line])
>>> reschedule_line.form.start_date = today
>>> reschedule_line.form.frequency = 'monthly'
>>> reschedule_line.form.interval = 1
>>> reschedule_line.form.amount = Decimal('50.00')
>>> reschedule_line.execute('preview')
>>> reschedule_line.execute('reschedule')
Traceback (most recent call last):
...
RescheduleLineWarning: ...
Try to delegate line::
>>> delegate_line = Wizard('account.move.line.delegate', [line])
>>> delegate_line.form.party = supplier2
>>> delegate_line.execute('delegate')
Traceback (most recent call last):
...
DelegateLineWarning: ...
Reconcile line and try to submit::
>>> move = Move()
>>> move.journal = cash_journal
>>> _ = move.lines.new(
... account=accounts['payable'], party=supplier,
... debit=Decimal('100.00'))
>>> _ = move.lines.new(
... account=accounts['cash'],
... credit=Decimal('100.00'))
>>> move.click('post')
>>> move.state
'posted'
>>> cash_line, = [l for l in move.lines if l.account == accounts['payable']]
>>> reconcile = Wizard('account.move.reconcile_lines', [payment.line, cash_line])
>>> reconcile.state
'end'
>>> payment.click('submit')
Traceback (most recent call last):
...
ReconciledWarning: ...

View File

@@ -0,0 +1,18 @@
# This file is part of Tryton. The COPYRIGHT file at the top level of
# this repository contains the full copyright notices and license terms.
from trytond.modules.company.tests import (
CompanyTestMixin, PartyCompanyCheckEraseMixin)
from trytond.modules.party.tests import PartyCheckReplaceMixin
from trytond.tests.test_tryton import ModuleTestCase
class AccountPaymentTestCase(
PartyCompanyCheckEraseMixin, PartyCheckReplaceMixin, CompanyTestMixin,
ModuleTestCase):
'Test Account Payment module'
module = 'account_payment'
extras = ['account_invoice', 'account_statement', 'account_statement_rule']
del ModuleTestCase

View File

@@ -0,0 +1,8 @@
# This file is part of Tryton. The COPYRIGHT file at the top level of
# this repository contains the full copyright notices and license terms.
from trytond.tests.test_tryton import load_doc_tests
def load_tests(*args, **kwargs):
return load_doc_tests(__name__, __file__, *args, **kwargs)

View File

@@ -0,0 +1,64 @@
[tryton]
version=7.8.2
depends:
account
company
currency
ir
party
res
extras_depend:
account_dunning
account_invoice
account_statement
account_statement_rule
xml:
payment.xml
account.xml
party.xml
message.xml
[register]
model:
payment.Journal
payment.Group
payment.Payment
account.MoveLine
account.CreateDirectDebitStart
account.PayLineStart
account.PayLineAskJournal
account.Configuration
account.ConfigurationPaymentSequence
account.ConfigurationPaymentGroupSequence
party.Party
party.PartyPaymentDirectDebit
party.PartyReceptionDirectDebit
wizard:
payment.ProcessPayment
account.CreateDirectDebit
account.PayLine
account.MoveCancel
account.MoveLineGroup
account.MoveLineReschedule
account.MoveLineDelegate
party.Replace
party.Erase
[register account_dunning]
model:
account.Dunning
[register account_invoice]
model:
account.Invoice
payment.Payment_Invoice
[register account_statement]
model:
account.Statement
account.StatementLine
[register account_statement_rule]
model:
account.StatementRule
account.StatementRuleLine

View File

@@ -0,0 +1,13 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<data>
<xpath expr="/form" position="inside">
<separator id="payment" string="Payment" colspan="4"/>
<label name="payment_sequence" string="Sequence:"/>
<field name="payment_sequence"/>
<label name="payment_group_sequence" string="Group Sequence:"/>
<field name="payment_group_sequence"/>
<newline/>
</xpath>
</data>

View File

@@ -0,0 +1,10 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<data>
<xpath expr="//page[@id='payment']/field[@name='payment_lines']" position="before">
<label name="payment_direct_debit"/>
<field name="payment_direct_debit"/>
<newline/>
</xpath>
</data>

View File

@@ -0,0 +1,10 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<form col="2">
<image name="tryton-question" xexpand="0" xfill="0"/>
<group col="2" xexpand="1" id="create_date">
<label string="Create Direct Debit for date" id="create"/>
<field name="date"/>
</group>
</form>

View File

@@ -0,0 +1,15 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<data>
<xpath expr="//page[@id='info']" position="after">
<page name="payments">
<label name="payment_amount"/>
<field name="payment_amount"/>
<label name="payment_direct_debit"/>
<field name="payment_direct_debit"/>
<field name="payments" colspan="4"/>
</page>
</xpath>
</data>

View File

@@ -0,0 +1,20 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<tree>
<field name="company" optional="1" expand="1"/>
<field name="move" optional="1"/>
<field name="move_origin" optional="1"/>
<field name="description" expand="1" optional="1"/>
<field name="party" expand="1"/>
<field name="maturity_date"/>
<field name="payment_amount"/>
<field name="account" expand="1" optional="1"/>
<field name="debit" optional="1"/>
<field name="credit" optional="1"/>
<field name="amount_second_currency" optional="1"/>
<button name="pay" multiple="1"/>
<button name="payment_block"/>
<button name="payment_unblock"/>
<field name="payment_blocked" tree_invisible="1"/>
</tree>

View File

@@ -0,0 +1,12 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<data>
<xpath expr="//field[@name='reconciliation']" position="after">
<field name="payment_amount"/>
<button name="pay" multiple="1"/>
<button name="payment_block"/>
<button name="payment_unblock"/>
<field name="payment_blocked" tree_invisible="1"/>
</xpath>
</data>

View File

@@ -0,0 +1,10 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<form cursor="journal">
<label name="currency"/>
<field name="currency"/>
<label name="journal"/>
<field name="journal" widget="selection"/>
<field name="journals" colspan="4" invisible="1"/>
</form>

View File

@@ -0,0 +1,7 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<form>
<label name="date"/>
<field name="date"/>
</form>

View File

@@ -0,0 +1,10 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<data>
<xpath expr="//page[@id='accounting']/field[@name='account_payable']" position="after">
<field name="reception_direct_debits" colspan="2" height="200" yexpand="0"/>
<label name="payment_direct_debit" yalign="0"/>
<field name="payment_direct_debit" yalign="0"/>
</xpath>
</data>

View File

@@ -0,0 +1,18 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<form>
<label name="party"/>
<field name="party"/>
<label name="sequence"/>
<field name="sequence"/>
<label name="journal"/>
<field name="journal" widget="selection"/>
<label name="currency"/>
<field name="currency"/>
<label name="type"/>
<field name="type"/>
<newline/>
</form>

View File

@@ -0,0 +1,10 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<tree sequence="sequence">
<field name="party" expand="2"/>
<field name="company" expand="1"/>
<field name="journal" expand="1"/>
<field name="type"/>
<field name="currency"/>
</tree>

View File

@@ -0,0 +1,58 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<form cursor="journal">
<label name="number"/>
<field name="number"/>
<label name="company"/>
<field name="company"/>
<label name="journal"/>
<field name="journal" widget="selection"/>
<label name="kind"/>
<field name="kind"/>
<label name="party"/>
<field name="party"/>
<label name="line"/>
<field name="line" view_ids="account_payment.move_line_view_list"/>
<label name="amount"/>
<field name="amount"/>
<label name="date"/>
<field name="date"/>
<notebook colspan="4">
<page string="Payment" id="payment">
<label name="reference"/>
<field name="reference"/>
<label name="reference_type"/>
<field name="reference_type"/>
</page>
<page string="Other Info" id="info">
<label name="group"/>
<field name="group"/>
<label name="origin"/>
<field name="origin"/>
<newline/>
<label name="submitted_by"/>
<field name="submitted_by"/>
<label name="approved_by"/>
<field name="approved_by"/>
<label name="succeeded_by"/>
<field name="succeeded_by"/>
<label name="failed_by"/>
<field name="failed_by"/>
</page>
</notebook>
<group col="4" colspan="4" id="state_buttons">
<label name="state"/>
<field name="state"/>
<group col="-1" colspan="2" id="buttons">
<button name="draft"/>
<button name="submit"/>
<button name="approve"/>
<button name="process_wizard"/>
<button name="proceed"/>
<button name="fail"/>
<button name="succeed"/>
</group>
</group>
</form>

View File

@@ -0,0 +1,27 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<form>
<label name="number"/>
<field name="number"/>
<label name="company"/>
<field name="company"/>
<label name="journal"/>
<field name="journal" widget="selection"/>
<label name="kind"/>
<field name="kind"/>
<separator id="payments" string="Payments Info" colspan="4"/>
<label name="payment_count" string="Count"/>
<field name="payment_count"/>
<label name="payment_amount" string="Total Amount"/>
<field name="payment_amount"/>
<label name="payment_amount_succeeded" string="Succeeded"/>
<field name="payment_amount_succeeded"/>
<label name="payment_complete" string="Complete"/>
<field name="payment_complete"/>
<group id="links" col="-1" colspan="2">
<link name="account_payment.act_payment_form_group_open"/>
</group>
<button name="succeed" colspan="2"/>
</form>

View File

@@ -0,0 +1,13 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<tree>
<field name="company" expand="1" optional="1"/>
<field name="number"/>
<field name="journal" optional="0"/>
<field name="kind" optional="0"/>
<field name="payment_count" optional="1"/>
<field name="payment_amount" optional="1"/>
<field name="payment_amount_succeeded" optional="1"/>
<field name="payment_complete" optional="1"/>
</tree>

View File

@@ -0,0 +1,16 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<form>
<label name="name"/>
<field name="name"/>
<label name="active"/>
<field name="active"/>
<label name="company"/>
<field name="company"/>
<label name="currency"/>
<field name="currency"/>
<label name="process_method"/>
<field name="process_method"/>
</form>

View File

@@ -0,0 +1,9 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<tree>
<field name="company" expand="1" optional="1"/>
<field name="name" expand="1"/>
<field name="currency" optional="1"/>
<field name="process_method"/>
</tree>

View File

@@ -0,0 +1,18 @@
<?xml version="1.0"?>
<!-- This file is part of Tryton. The COPYRIGHT file at the top level of
this repository contains the full copyright notices and license terms. -->
<tree>
<field name="company" expand="1" optional="1"/>
<field name="number"/>
<field name="reference" expand="1" optional="1"/>
<field name="journal" expand="1" optional="0"/>
<field name="kind" optional="0"/>
<field name="party" expand="2" optional="0"/>
<field name="amount"/>
<field name="date"/>
<field name="state"/>
<button name="draft" multiple="1"/>
<button name="submit" multiple="1"/>
<button name="approve" multiple="1"/>
<button name="process_wizard" multiple="1"/>
</tree>