Browse Source
[ADD] Aged Partner Balance webkit report. Report inherit Open Invoice Report and uses previously computed ledger lines to determin aged lines
pull/7/merge
[ADD] Aged Partner Balance webkit report. Report inherit Open Invoice Report and uses previously computed ledger lines to determin aged lines
pull/7/merge
unknown
11 years ago
committed by
Yannick Vaucher
14 changed files with 829 additions and 20 deletions
-
49account_financial_report_webkit/__openerp__.py
-
1account_financial_report_webkit/report/__init__.py
-
403account_financial_report_webkit/report/aged_partner_balance.py
-
12account_financial_report_webkit/report/common_reports.py
-
1account_financial_report_webkit/report/open_invoices.py
-
39account_financial_report_webkit/report/report.xml
-
155account_financial_report_webkit/report/templates/aged_trial_webkit.mako
-
1account_financial_report_webkit/report/webkit_parser_header_fix.py
-
4account_financial_report_webkit/report_menus.xml
-
60account_financial_report_webkit/tests/aged_trial_balance.yml
-
1account_financial_report_webkit/wizard/__init__.py
-
39account_financial_report_webkit/wizard/aged_partner_balance_wizard.py
-
72account_financial_report_webkit/wizard/aged_partner_balance_wizard.xml
@ -0,0 +1,403 @@ |
|||
# -*- coding: utf-8 -*- |
|||
############################################################################## |
|||
# |
|||
# Author: Nicolas Bessi |
|||
# Copyright 2014 Camptocamp SA |
|||
# |
|||
# This program is free software: you can redistribute it and/or modify |
|||
# it under the terms of the GNU Affero General Public License as |
|||
# published by the Free Software Foundation, either version 3 of the |
|||
# License, or (at your option) any later version. |
|||
# |
|||
# This program is distributed in the hope that it will be useful, |
|||
# but WITHOUT ANY WARRANTY; without even the implied warranty of |
|||
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the |
|||
# GNU Affero General Public License for more details. |
|||
# |
|||
# You should have received a copy of the GNU Affero General Public License |
|||
# along with this program. If not, see <http://www.gnu.org/licenses/>. |
|||
# |
|||
############################################################################## |
|||
from __future__ import division |
|||
from datetime import datetime |
|||
|
|||
from openerp import pooler |
|||
from openerp.tools import DEFAULT_SERVER_DATE_FORMAT |
|||
from openerp.tools.translate import _ |
|||
from .open_invoices import PartnersOpenInvoicesWebkit |
|||
from .webkit_parser_header_fix import HeaderFooterTextWebKitParser |
|||
|
|||
|
|||
def make_ranges(top, offset): |
|||
"""Return sorted days ranges |
|||
|
|||
:param top: maximum overdue day |
|||
:param offset: offset for ranges |
|||
|
|||
:returns: list of sorted ranges tuples in days |
|||
eg. [(-100000, 0), (0, offset), (offset, n*offset), ... (top, 100000)] |
|||
""" |
|||
ranges = [(n, min(n + offset, top)) for n in xrange(0, top, offset)] |
|||
ranges.insert(0, (-100000000000, 0)) |
|||
ranges.append((top, 100000000000)) |
|||
return ranges |
|||
|
|||
#list of overdue ranges |
|||
RANGES = make_ranges(120, 30) |
|||
|
|||
|
|||
def make_ranges_titles(): |
|||
"""Generates title to be used by mako""" |
|||
titles = [_('Due')] |
|||
titles += [_(u'Overdue ≤ %s d.') % x[1] for x in RANGES[1:-1]] |
|||
titles.append(_('Older')) |
|||
return titles |
|||
|
|||
#list of overdue ranges title |
|||
RANGES_TITLES = make_ranges_titles() |
|||
#list of payable journal types |
|||
REC_PAY_TYPE = ('purchase', 'sale') |
|||
#list of refund payable type |
|||
REFUND_TYPE = ('purchase_refund', 'sale_refund') |
|||
INV_TYPE = REC_PAY_TYPE + REFUND_TYPE |
|||
|
|||
|
|||
class AccountAgedTrialBalanceWebkit(PartnersOpenInvoicesWebkit): |
|||
"""Compute Aged Partner Balance based on result of Open Invoices""" |
|||
|
|||
def __init__(self, cursor, uid, name, context=None): |
|||
"""Constructor, refer to :class:`openerp.report.report_sxw.rml_parse`""" |
|||
super(AccountAgedTrialBalanceWebkit, self).__init__(cursor, uid, name, |
|||
context=context) |
|||
self.pool = pooler.get_pool(self.cr.dbname) |
|||
self.cursor = self.cr |
|||
company = self.pool.get('res.users').browse(self.cr, uid, uid, |
|||
context=context).company_id |
|||
|
|||
header_report_name = ' - '.join((_('Aged Partner Balance'), |
|||
company.currency_id.name)) |
|||
|
|||
footer_date_time = self.formatLang(str(datetime.today()), |
|||
date_time=True) |
|||
|
|||
self.localcontext.update({ |
|||
'cr': cursor, |
|||
'uid': uid, |
|||
'company': company, |
|||
'ranges': self._get_ranges(), |
|||
'ranges_titles': self._get_ranges_titles(), |
|||
'report_name': _('Aged Partner Balance'), |
|||
'additional_args': [ |
|||
('--header-font-name', 'Helvetica'), |
|||
('--footer-font-name', 'Helvetica'), |
|||
('--header-font-size', '10'), |
|||
('--footer-font-size', '6'), |
|||
('--header-left', header_report_name), |
|||
('--header-spacing', '2'), |
|||
('--footer-left', footer_date_time), |
|||
('--footer-right', ' '.join((_('Page'), '[page]', _('of'), '[topage]'))), |
|||
('--footer-line',), |
|||
], |
|||
}) |
|||
|
|||
def _get_ranges(self): |
|||
""":returns: :cons:`RANGES`""" |
|||
return RANGES |
|||
|
|||
def _get_ranges_titles(self): |
|||
""":returns: :cons: `RANGES_TITLES`""" |
|||
return RANGES_TITLES |
|||
|
|||
def set_context(self, objects, data, ids, report_type=None): |
|||
"""Populate aged_lines, aged_balance, aged_percents attributes |
|||
|
|||
on each account browse record that will be used by mako template |
|||
The browse record are store in :attr:`objects` |
|||
|
|||
The computation are based on the ledger_lines attribute set on account |
|||
contained by :attr:`objects` |
|||
|
|||
:attr:`objects` values were previously set by parent class |
|||
:class: `.open_invoices.PartnersOpenInvoicesWebkit` |
|||
|
|||
:returns: parent :class:`.open_invoices.PartnersOpenInvoicesWebkit` |
|||
call to set_context |
|||
|
|||
""" |
|||
res = super(AccountAgedTrialBalanceWebkit, self).set_context( |
|||
objects, |
|||
data, |
|||
ids, |
|||
report_type=report_type |
|||
) |
|||
|
|||
for acc in self.objects: |
|||
acc.aged_lines = {} |
|||
acc.agged_totals = {} |
|||
acc.agged_percents = {} |
|||
for part_id, partner_lines in acc.ledger_lines.items(): |
|||
aged_lines = self.compute_aged_lines(part_id, |
|||
partner_lines, |
|||
data) |
|||
if aged_lines: |
|||
acc.aged_lines[part_id] = aged_lines |
|||
acc.aged_totals = totals = self.compute_totals(acc.aged_lines.values()) |
|||
acc.aged_percents = self.compute_percents(totals) |
|||
#Free some memory |
|||
del(acc.ledger_lines) |
|||
return res |
|||
|
|||
def compute_aged_lines(self, partner_id, ledger_lines, data): |
|||
"""Add property aged_lines to accounts browse records |
|||
|
|||
contained in :attr:`objects` for a given partner |
|||
|
|||
:param: partner_id: current partner |
|||
:param ledger_lines: generated by parent |
|||
:class:`.open_invoices.PartnersOpenInvoicesWebkit` |
|||
|
|||
:returns: dict of computed aged lines |
|||
eg {'balance': 1000.0, |
|||
'aged_lines': {(90, 120): 0.0, ...} |
|||
|
|||
""" |
|||
lines_to_age = self.filter_lines(partner_id, ledger_lines) |
|||
res = {} |
|||
end_date = self._get_end_date(data) |
|||
aged_lines = dict.fromkeys(RANGES, 0.0) |
|||
reconcile_lookup = self.get_reconcile_count_lookup(lines_to_age) |
|||
res['aged_lines'] = aged_lines |
|||
for line in lines_to_age: |
|||
compute_method = self.get_compute_method(reconcile_lookup, |
|||
partner_id, |
|||
line) |
|||
delay = compute_method(line, end_date, ledger_lines) |
|||
classification = self.classify_line(partner_id, delay) |
|||
aged_lines[classification] += line['debit'] - line['credit'] |
|||
self.compute_balance(res, aged_lines) |
|||
return res |
|||
|
|||
def _get_end_date(self, data): |
|||
"""Retrieve end date to be used to compute delay. |
|||
|
|||
:param data: data dict send to report contains form dict |
|||
|
|||
:returns: end date to be used to compute overdue delay |
|||
|
|||
""" |
|||
end_date = None |
|||
date_to = data['form']['date_to'] |
|||
period_to_id = data['form']['period_to'] |
|||
fiscal_to_id = data['form']['fiscalyear_id'] |
|||
if date_to: |
|||
end_date = date_to |
|||
elif period_to_id: |
|||
period_to = self.pool['account.period'].browse(self.cr, |
|||
self.uid, |
|||
period_to_id) |
|||
end_date = period_to.date_stop |
|||
elif fiscal_to_id: |
|||
fiscal_to = self.pool['account.fiscalyear'].browse(self.cr, |
|||
self.uid, |
|||
fiscal_to_id) |
|||
end_date = fiscal_to.date_stop |
|||
else: |
|||
raise ValueError('End date and end period not available') |
|||
return end_date |
|||
|
|||
def _compute_delay_from_key(self, key, line, end_date): |
|||
"""Compute overdue delay delta in days for line using attribute in key |
|||
|
|||
delta = end_date - date of key |
|||
|
|||
:param line: current ledger line |
|||
:param key: date key to be used to compute delta |
|||
:param end_date: end_date computed for wizard data |
|||
|
|||
:returns: delta in days |
|||
""" |
|||
from_date = datetime.strptime(line[key], DEFAULT_SERVER_DATE_FORMAT) |
|||
end_date = datetime.strptime(end_date, DEFAULT_SERVER_DATE_FORMAT) |
|||
delta = end_date - from_date |
|||
return delta.days |
|||
|
|||
def compute_delay_from_maturity(self, line, end_date, ledger_lines): |
|||
"""Compute overdue delay delta in days for line using attribute in key |
|||
|
|||
delta = end_date - maturity date |
|||
|
|||
:param line: current ledger line |
|||
:param end_date: end_date computed for wizard data |
|||
:param ledger_lines: generated by parent |
|||
:class:`.open_invoices.PartnersOpenInvoicesWebkit` |
|||
|
|||
:returns: delta in days |
|||
""" |
|||
return self._compute_delay_from_key('date_maturity', |
|||
line, |
|||
end_date) |
|||
|
|||
def compute_delay_from_date(self, line, end_date, ledger_lines): |
|||
"""Compute overdue delay delta in days for line using attribute in key |
|||
|
|||
delta = end_date - date |
|||
|
|||
:param line: current ledger line |
|||
:param end_date: end_date computed for wizard data |
|||
:param ledger_lines: generated by parent |
|||
:class:`.open_invoices.PartnersOpenInvoicesWebkit` |
|||
|
|||
:returns: delta in days |
|||
""" |
|||
return self._compute_delay_from_key('ldate', |
|||
line, |
|||
end_date) |
|||
|
|||
def compute_delay_from_partial_rec(self, line, end_date, ledger_lines): |
|||
"""Compute overdue delay delta in days for the case where move line |
|||
|
|||
is related to a partial reconcile with more than one reconcile line |
|||
|
|||
:param line: current ledger line |
|||
:param end_date: end_date computed for wizard data |
|||
:param ledger_lines: generated by parent |
|||
:class:`.open_invoices.PartnersOpenInvoicesWebkit` |
|||
|
|||
:returns: delta in days |
|||
""" |
|||
sale_lines = [x for x in ledger_lines if x['jtype'] in REC_PAY_TYPE and |
|||
line['rec_id'] == x['rec_id']] |
|||
refund_lines = [x for x in ledger_lines if x['jtype'] in REFUND_TYPE and |
|||
line['rec_id'] == x['rec_id']] |
|||
if len(sale_lines) == 1: |
|||
reference_line = sale_lines[0] |
|||
elif len(refund_lines) == 1: |
|||
reference_line = refund_lines[0] |
|||
else: |
|||
reference_line = line |
|||
key = 'date_maturity' if reference_line.get('date_maturity') else 'ldate' |
|||
return self._compute_delay_from_key(key, |
|||
reference_line, |
|||
end_date) |
|||
|
|||
def get_compute_method(self, reconcile_lookup, partner_id, line): |
|||
"""Get the function that should compute the delay for a given line |
|||
|
|||
:param reconcile_lookup: dict of reconcile group by id and count |
|||
{rec_id: count of line related to reconcile} |
|||
:param partner_id: current partner_id |
|||
:param line: current ledger line generated by parent |
|||
:class:`.open_invoices.PartnersOpenInvoicesWebkit` |
|||
|
|||
:returns: function bounded to :class:`.AccountAgedTrialBalanceWebkit` |
|||
|
|||
""" |
|||
if reconcile_lookup.get(line['rec_id'], 0.0) > 1: |
|||
return self.compute_delay_from_partial_rec |
|||
elif line['jtype'] in INV_TYPE and line.get('date_maturity'): |
|||
return self.compute_delay_from_maturity |
|||
else: |
|||
return self.compute_delay_from_date |
|||
|
|||
def line_is_valid(self, partner_id, line): |
|||
"""Predicate hook that allows to filter line to be treated |
|||
|
|||
:param partner_id: current partner_id |
|||
:param line: current ledger line generated by parent |
|||
:class:`.open_invoices.PartnersOpenInvoicesWebkit` |
|||
|
|||
:returns: boolean True if line is allowed |
|||
""" |
|||
return True |
|||
|
|||
def filter_lines(self, partner_id, lines): |
|||
"""Filter ledger lines that have to be treated |
|||
|
|||
:param partner_id: current partner_id |
|||
:param lines: ledger_lines related to current partner |
|||
and generated by parent |
|||
:class:`.open_invoices.PartnersOpenInvoicesWebkit` |
|||
|
|||
:returns: list of allowed lines |
|||
|
|||
""" |
|||
return [x for x in lines if self.line_is_valid(partner_id, x)] |
|||
|
|||
def classify_line(self, partner_id, overdue_days): |
|||
"""Return the overdue range for a given delay |
|||
|
|||
We loop from smaller range to higher |
|||
This should be the most effective solution as generaly |
|||
customer tend to have one or two month of delay |
|||
|
|||
:param overdue_days: delay in days |
|||
:param partner_id: current partner_id |
|||
|
|||
:returns: the correct range in :const:`RANGES` |
|||
|
|||
""" |
|||
for drange in RANGES: |
|||
if overdue_days <= drange[1]: |
|||
return drange |
|||
return drange |
|||
|
|||
def compute_balance(self, res, aged_lines): |
|||
"""Compute the total balance of aged line |
|||
for given account""" |
|||
res['balance'] = sum(aged_lines.values()) |
|||
|
|||
def compute_totals(self, aged_lines): |
|||
"""Compute the totals for an account |
|||
|
|||
:param aged_lines: dict of aged line taken from the |
|||
property added to account record |
|||
|
|||
:returns: dict of total {'balance':1000.00, (30, 60): 3000,...} |
|||
|
|||
""" |
|||
totals = {} |
|||
totals['balance'] = sum(x.get('balance', 0.0) for |
|||
x in aged_lines) |
|||
aged_ranges = [x.get('aged_lines', {}) for x in aged_lines] |
|||
for drange in RANGES: |
|||
totals[drange] = sum(x.get(drange, 0.0) for x in aged_ranges) |
|||
return totals |
|||
|
|||
def compute_percents(self, totals): |
|||
percents = {} |
|||
base = totals['balance'] or 1.0 |
|||
for drange in RANGES: |
|||
percents[drange] = (totals[drange] / base) * 100.0 |
|||
return percents |
|||
|
|||
def get_reconcile_count_lookup(self, lines): |
|||
"""Compute an lookup dict |
|||
|
|||
It contains has partial reconcile id as key and the count of lines |
|||
related to the reconcile id |
|||
|
|||
:param: a list of ledger lines generated by parent |
|||
:class:`.open_invoices.PartnersOpenInvoicesWebkit` |
|||
|
|||
:retuns: lookup dict {ṛec_id: count} |
|||
|
|||
""" |
|||
# possible bang if l_ids is really long. |
|||
# We have the same weakness in common_report ... |
|||
# but it seems not really possible for a partner |
|||
# So I'll keep that option. |
|||
l_ids = tuple(x['id'] for x in lines) |
|||
sql = ("SELECT reconcile_partial_id, COUNT(*) FROM account_move_line" |
|||
" WHERE reconcile_partial_id IS NOT NULL" |
|||
" AND id in %s" |
|||
" GROUP BY reconcile_partial_id") |
|||
self.cr.execute(sql, (l_ids,)) |
|||
res = self.cr.fetchall() |
|||
return dict((x[0], x[1]) for x in res) |
|||
|
|||
HeaderFooterTextWebKitParser( |
|||
'report.account.account_aged_trial_balance_webkit', |
|||
'account.account', |
|||
'addons/account_financial_report_webkit/report/templates/aged_trial_webkit.mako', |
|||
parser=AccountAgedTrialBalanceWebkit, |
|||
) |
@ -0,0 +1,155 @@ |
|||
## -*- coding: utf-8 -*- |
|||
<!DOCTYPE html SYSTEM |
|||
"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> |
|||
<html xmlns="http://www.w3.org/1999/xhtml"> |
|||
<head> |
|||
<style type="text/css"> |
|||
.overflow_ellipsis { |
|||
text-overflow: ellipsis; |
|||
overflow: hidden; |
|||
white-space: nowrap; |
|||
} |
|||
|
|||
.open_invoice_previous_line { |
|||
font-style: italic; |
|||
} |
|||
|
|||
.percent_line { |
|||
font-style: italic; |
|||
} |
|||
|
|||
.amount { |
|||
text-align:right; |
|||
} |
|||
|
|||
.classif_title { |
|||
text-align:right; |
|||
} |
|||
|
|||
.classif{ |
|||
width: ${700/len(ranges)}px; |
|||
} |
|||
.total{ |
|||
font-weight:bold; |
|||
} |
|||
${css} |
|||
</style> |
|||
</head> |
|||
|
|||
<%! |
|||
def amount(text): |
|||
# replace by a non-breaking hyphen (it will not word-wrap between hyphen and numbers) |
|||
return text.replace('-', '‑') |
|||
%> |
|||
<body> |
|||
<%setLang(user.lang)%> |
|||
|
|||
<div class="act_as_table data_table"> |
|||
<div class="act_as_row labels"> |
|||
<div class="act_as_cell">${_('Chart of Account')}</div> |
|||
<div class="act_as_cell">${_('Fiscal Year')}</div> |
|||
<div class="act_as_cell"> |
|||
%if filter_form(data) == 'filter_date': |
|||
${_('Dates Filter')} |
|||
%else: |
|||
${_('Periods Filter')} |
|||
%endif |
|||
</div> |
|||
<div class="act_as_cell">${_('Clearance Date')}</div> |
|||
<div class="act_as_cell">${_('Accounts Filter')}</div> |
|||
<div class="act_as_cell">${_('Target Moves')}</div> |
|||
|
|||
</div> |
|||
<div class="act_as_row"> |
|||
<div class="act_as_cell">${ chart_account.name }</div> |
|||
<div class="act_as_cell">${ fiscalyear.name if fiscalyear else '-' }</div> |
|||
<div class="act_as_cell"> |
|||
${_('From:')} |
|||
%if filter_form(data) == 'filter_date': |
|||
${formatLang(start_date, date=True) if start_date else u'' } |
|||
%else: |
|||
${start_period.name if start_period else u''} |
|||
%endif |
|||
${_('To:')} |
|||
%if filter_form(data) == 'filter_date': |
|||
${ formatLang(stop_date, date=True) if stop_date else u'' } |
|||
%else: |
|||
${stop_period.name if stop_period else u'' } |
|||
%endif |
|||
</div> |
|||
<div class="act_as_cell">${ formatLang(date_until, date=True) }</div> |
|||
<div class="act_as_cell"> |
|||
%if partner_ids: |
|||
${_('Custom Filter')} |
|||
%else: |
|||
${ display_partner_account(data) } |
|||
%endif |
|||
</div> |
|||
<div class="act_as_cell">${ display_target_move(data) }</div> |
|||
</div> |
|||
</div> |
|||
%for acc in objects: |
|||
%if acc.aged_lines: |
|||
<div class="account_title bg" style="width: 1080px; margin-top: 20px; font-size: 12px;">${acc.code} - ${acc.name}</div> |
|||
|
|||
|
|||
|
|||
<div class="act_as_table list_table" style="margin-top: 5px;"> |
|||
<div class="act_as_thead"> |
|||
<div class="act_as_row labels"> |
|||
## partner |
|||
<div class="act_as_cell first_column" style="width: 60px;">${_('Partner')}</div> |
|||
## code |
|||
<div class="act_as_cell" style="width: 70px;">${_('code')}</div> |
|||
## balance |
|||
<div class="act_as_cell classif_title" style="width: 70px;">${_('balance')}</div> |
|||
## Classifications |
|||
%for title in ranges_titles: |
|||
<div class="act_as_cell classif classif_title">${title}</div> |
|||
%endfor |
|||
</div> |
|||
</div> |
|||
<div class="act_as_tbody"> |
|||
%for partner_name, p_id, p_ref, p_name in acc.partners_order: |
|||
%if acc.aged_lines.get(p_id): |
|||
<div class="act_as_row lines"> |
|||
<%line = acc.aged_lines[p_id]%> |
|||
<%percents = acc.aged_percents%> |
|||
<%totals = acc.aged_totals%> |
|||
<div class="act_as_cell first_column">${partner_name}</div> |
|||
<div class="act_as_cell">${p_ref or ''}</div> |
|||
|
|||
<div class="act_as_cell amount">${formatLang(line.get('balance') or 0.0) | amount}</div> |
|||
%for classif in ranges: |
|||
<div class="act_as_cell classif amount"> |
|||
${formatLang(line['aged_lines'][classif] or 0.0) | amount} |
|||
</div> |
|||
%endfor |
|||
</div> |
|||
%endif |
|||
%endfor |
|||
<div class="act_as_row labels"> |
|||
<div class="act_as_cell total">${_('Total')}</div> |
|||
<div class="act_as_cell"></div> |
|||
<div class="act_as_cell amount classif total">${formatLang(totals['balance']) | amount}</div> |
|||
%for classif in ranges: |
|||
<div class="act_as_cell amount classif total">${formatLang(totals[classif]) | amount}</div> |
|||
%endfor |
|||
</div> |
|||
|
|||
<div class="act_as_row"> |
|||
<div class="act_as_cell"><b>${_('Percents')}</b></div> |
|||
<div class="act_as_cell"></div> |
|||
<div class="act_as_cell"></div> |
|||
%for classif in ranges: |
|||
<div class="act_as_cell amount percent_line classif">${formatLang(percents[classif]) | amount}%</div> |
|||
%endfor |
|||
</div> |
|||
</div> |
|||
<br/> |
|||
|
|||
%endif |
|||
%endfor |
|||
</div> |
|||
</body> |
|||
</html> |
@ -0,0 +1,60 @@ |
|||
- |
|||
In order to test the PDF Aged Partner Balance Report webkit wizard I will print report with default setting |
|||
- |
|||
!python {model: account.account}: | |
|||
from datetime import datetime |
|||
ctx={} |
|||
data_dict = {'chart_account_id':ref('account.chart0'), 'until_date': '%s-12-31' %(datetime.now().year)} |
|||
from tools import test_reports |
|||
test_reports.try_report_action(cr, uid, 'action_account_aged_trial_balance_menu_webkit',wiz_data=data_dict, context=ctx, our_module='account_financial_report_webkit') |
|||
|
|||
- |
|||
In order to test the PDF Aged Partner Balance Report webkit wizard I will print report with filters and currency |
|||
- |
|||
!python {model: account.account}: | |
|||
from datetime import datetime |
|||
ctx={} |
|||
data_dict = {'chart_account_id':ref('account.chart0'), 'fiscalyear_id': ref('account.data_fiscalyear'), |
|||
'until_date': '%s-12-31' %(datetime.now().year), 'target_move': 'posted', |
|||
'amount_currency': True, 'result_selection': 'customer_supplier'} |
|||
from tools import test_reports |
|||
test_reports.try_report_action(cr, uid, 'action_account_aged_trial_balance_menu_webkit',wiz_data=data_dict, context=ctx, our_module='account_financial_report_webkit') |
|||
|
|||
- |
|||
In order to test the PDF Aged Partner Balance Report webkit wizard I will print report with filters on partners |
|||
- |
|||
!python {model: account.account}: | |
|||
from datetime import datetime |
|||
ctx={} |
|||
data_dict = {'chart_account_id':ref('account.chart0'), 'fiscalyear_id': ref('account.data_fiscalyear'), |
|||
'until_date': '%s-12-31' %(datetime.now().year), 'target_move': 'posted', |
|||
'amount_currency': True, 'result_selection': 'customer_supplier', |
|||
'partner_ids': [ref('base.res_partner_2'), ref('base.res_partner_1')]} |
|||
from tools import test_reports |
|||
test_reports.try_report_action(cr, uid, 'action_account_aged_trial_balance_menu_webkit',wiz_data=data_dict, context=ctx, our_module='account_financial_report_webkit') |
|||
|
|||
- |
|||
In order to test the PDF Aged Partner Balance Report webkit wizard I will print report with filters on periods |
|||
- |
|||
!python {model: account.account}: | |
|||
from datetime import datetime |
|||
ctx={} |
|||
data_dict = {'chart_account_id':ref('account.chart0'), 'fiscalyear_id': ref('account.data_fiscalyear'), |
|||
'until_date': '%s-12-31' %(datetime.now().year), 'target_move': 'posted', |
|||
'amount_currency': True, 'result_selection': 'customer_supplier', |
|||
'filter': 'filter_period', 'period_from': ref('account.period_1'), 'period_to': ref('account.period_12')} |
|||
from tools import test_reports |
|||
test_reports.try_report_action(cr, uid, 'action_account_aged_trial_balance_menu_webkit',wiz_data=data_dict, context=ctx, our_module='account_financial_report_webkit') |
|||
|
|||
- |
|||
In order to test the PDF Aged Partner Balance Report webkit wizard I will print report with filters on dates |
|||
- |
|||
!python {model: account.account}: | |
|||
from datetime import datetime |
|||
ctx={} |
|||
data_dict = {'chart_account_id':ref('account.chart0'), 'fiscalyear_id': ref('account.data_fiscalyear'), |
|||
'until_date': '%s-12-31' %(datetime.now().year), 'target_move': 'posted', |
|||
'amount_currency': True, 'result_selection': 'customer_supplier', |
|||
'filter': 'filter_date', 'date_from': '%s-01-01' %(datetime.now().year), 'date_to': '%s-12-31' %(datetime.now().year)} |
|||
from tools import test_reports |
|||
test_reports.try_report_action(cr, uid, 'action_account_aged_trial_balance_menu_webkit',wiz_data=data_dict, context=ctx, our_module='account_financial_report_webkit') |
@ -0,0 +1,39 @@ |
|||
# -*- coding: utf-8 -*- |
|||
############################################################################## |
|||
# |
|||
# Author: Nicolas Bessi |
|||
# Copyright 2014 Camptocamp SA |
|||
# |
|||
# This program is free software: you can redistribute it and/or modify |
|||
# it under the terms of the GNU Affero General Public License as |
|||
# published by the Free Software Foundation, either version 3 of the |
|||
# License, or (at your option) any later version. |
|||
# |
|||
# This program is distributed in the hope that it will be useful, |
|||
# but WITHOUT ANY WARRANTY; without even the implied warranty of |
|||
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the |
|||
# GNU Affero General Public License for more details. |
|||
# |
|||
# You should have received a copy of the GNU Affero General Public License |
|||
# along with this program. If not, see <http://www.gnu.org/licenses/>. |
|||
# |
|||
############################################################################## |
|||
from openerp.osv import orm |
|||
|
|||
|
|||
class AccountAgedTrialBalance(orm.TransientModel): |
|||
"""Will launch age partner balance report. |
|||
This report is based on Open Invoice Report |
|||
and share a lot of knowledge with him |
|||
""" |
|||
|
|||
_inherit = "open.invoices.webkit" |
|||
_name = "account.aged.trial.balance.webkit" |
|||
_description = "Aged partner balanced" |
|||
|
|||
def _print_report(self, cr, uid, ids, data, context=None): |
|||
# we update form with display account value |
|||
data = self.pre_print_report(cr, uid, ids, data, context=context) |
|||
return {'type': 'ir.actions.report.xml', |
|||
'report_name': 'account.account_aged_trial_balance_webkit', |
|||
'datas': data} |
@ -0,0 +1,72 @@ |
|||
<?xml version="1.0" encoding="utf-8"?> |
|||
<openerp> |
|||
<data> |
|||
|
|||
<record id="account_aged_trial_balance_webkit" model="ir.ui.view"> |
|||
<field name="name">Aged Partner Balance Report</field> |
|||
<field name="model">account.aged.trial.balance.webkit</field> |
|||
<field name="inherit_id" ref="account.account_common_report_view"/> |
|||
<field name="arch" type="xml"> |
|||
<data> |
|||
|
|||
<xpath expr="/form/label[@string='']" position="replace"> |
|||
<separator string="Aged Partner Balance" colspan="4"/> |
|||
<label nolabel="1" |
|||
colspan="4" |
|||
string="This report list partner open balances and indicate when payment is (or was) supposed to be completed"/> |
|||
</xpath> |
|||
<field name="chart_account_id" position='attributes'> |
|||
<attribute name="colspan">4</attribute> |
|||
</field> |
|||
<xpath expr="//field[@name='target_move']" position="after"> |
|||
<newline/> |
|||
<field name="result_selection" colspan="4"/> |
|||
</xpath> |
|||
<xpath expr="/form/notebook[1]" position="after"> |
|||
<separator string="Clearance Analysis Options" colspan="4"/> |
|||
<newline/> |
|||
<field name="until_date"/> |
|||
</xpath> |
|||
<page name="filters" position="after"> |
|||
<page string="Partners Filters" name="partners"> |
|||
<separator string="Print only" colspan="4"/> |
|||
<field name="partner_ids" colspan="4" nolabel="1"/> |
|||
</page> |
|||
</page> |
|||
<page name="filters" position="attributes"> |
|||
<attribute name="string">Time Filters</attribute> |
|||
</page> |
|||
<page name="journal_ids" position="attributes"> |
|||
<attribute name="invisible">True</attribute> |
|||
</page> |
|||
<field name="fiscalyear_id" position="attributes"> |
|||
<attribute name="on_change">onchange_fiscalyear(fiscalyear_id, period_to, date_to, until_date)</attribute> |
|||
</field> |
|||
<field name="date_to" position="attributes"> |
|||
<attribute name="on_change">onchange_date_to(fiscalyear_id, period_to, date_to, until_date)</attribute> |
|||
</field> |
|||
<field name="period_to" position="attributes"> |
|||
<attribute name="on_change">onchange_period_to(fiscalyear_id, period_to, date_to, until_date)</attribute> |
|||
</field> |
|||
<field name="period_from" position="attributes"> |
|||
<attribute name="domain">[('fiscalyear_id', '=', fiscalyear_id), ('special', '=', False)]</attribute> |
|||
</field> |
|||
<field name="period_to" position="attributes"> |
|||
<attribute name="domain">[('fiscalyear_id', '=', fiscalyear_id), ('special', '=', False)]</attribute> |
|||
</field> |
|||
</data> |
|||
</field> |
|||
</record> |
|||
|
|||
<record id="action_account_aged_trial_balance_menu_webkit" |
|||
model="ir.actions.act_window"> |
|||
<field name="name">Aged partner balance</field> |
|||
<field name="type">ir.actions.act_window</field> |
|||
<field name="res_model">account.aged.trial.balance.webkit</field> |
|||
<field name="view_type">form</field> |
|||
<field name="view_mode">form</field> |
|||
<field name="view_id" ref="account_aged_trial_balance_webkit"/> |
|||
<field name="target">new</field> |
|||
</record> |
|||
</data> |
|||
</openerp> |
Write
Preview
Loading…
Cancel
Save
Reference in new issue