GoodERP
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

393 lines
16KB

  1. # Copyright 2016 上海开阖软件有限公司 (http://www.osbzr.com)
  2. # License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl).
  3. from odoo import api, fields, models
  4. from odoo.exceptions import UserError, ValidationError
  5. # 字段只读状态
  6. READONLY_STATES = {
  7. 'done': [('readonly', True)],
  8. 'cancel': [('readonly', True)],
  9. }
  10. class Voucher(models.Model):
  11. '''新建凭证'''
  12. _name = 'voucher'
  13. _inherit = ['mail.thread']
  14. _order = 'period_id, name desc'
  15. _description = '会计凭证'
  16. @api.model
  17. def _default_voucher_date(self):
  18. return self._default_voucher_date_impl()
  19. @api.model
  20. def _default_voucher_date_impl(self):
  21. ''' 获得默认的凭证创建日期 '''
  22. voucher_setting = self.env['ir.default']._get(
  23. 'finance.config.settings', 'defaul_voucher_date')
  24. now_date = fields.Date.context_today(self)
  25. if voucher_setting == 'last' and self.search([], limit=1):
  26. create_date = self.search([], limit=1).date
  27. else:
  28. create_date = now_date
  29. return create_date
  30. @api.model
  31. def _select_objects(self):
  32. models = self.env['ir.model'].search(
  33. [])
  34. return [(model.model, model.name) for model in models]
  35. @api.depends('date')
  36. def _compute_period_id(self):
  37. for v in self:
  38. v.period_id = self.env['finance.period'].get_period(v.date)
  39. document_word_id = fields.Many2one(
  40. 'document.word', '凭证字', ondelete='restrict', required=True,
  41. default=lambda self: self.env.ref('finance.document_word_1'))
  42. date = fields.Date('凭证日期', required=True, default=_default_voucher_date,
  43. tracking=True, help='本张凭证创建的时间', copy=False)
  44. name = fields.Char('凭证号', tracking=True, copy=False)
  45. att_count = fields.Integer(
  46. '附单据', default=1, help='原始凭证的张数')
  47. period_id = fields.Many2one(
  48. 'finance.period',
  49. '会计期间',
  50. compute='_compute_period_id',
  51. ondelete='restrict',
  52. store=True,
  53. help='本张凭证发生日期对应的,会计期间')
  54. line_ids = fields.One2many(
  55. 'voucher.line',
  56. 'voucher_id',
  57. '凭证明细',
  58. copy=True,)
  59. amount_text = fields.Float('总计', compute='_compute_amount', store=True,
  60. tracking=True, digits='Amount', help='凭证金额')
  61. state = fields.Selection([('draft', '草稿'),
  62. ('done', '已确认'),
  63. ('cancel', '已作废')], '状态', default='draft',
  64. index=True,
  65. tracking=True, help='凭证所属状态!')
  66. is_checkout = fields.Boolean('结账凭证', help='是否是结账凭证')
  67. is_init = fields.Boolean('是否初始化凭证', help='是否是初始化凭证')
  68. company_id = fields.Many2one(
  69. 'res.company',
  70. string='公司',
  71. change_default=True,
  72. default=lambda self: self.env.company)
  73. ref = fields.Reference(string='前置单据',
  74. selection='_select_objects')
  75. brief = fields.Char('摘要', related="line_ids.name", store=True)
  76. details = fields.Html('明细', compute='_compute_details')
  77. @api.depends('line_ids')
  78. def _compute_details(self):
  79. for v in self:
  80. vl = {'col': ['往来单位', '科目', '借方', '贷方'], 'val': []}
  81. for line in v.line_ids:
  82. vl['val'].append([line.partner_id.name or '', line.account_id.name, line.debit, line.credit])
  83. v.details = v.company_id._get_html_table(vl)
  84. def voucher_done(self):
  85. """
  86. 确认 凭证按钮 所调用的方法
  87. :return: 主要是把 凭证的 state改变
  88. """
  89. for v in self:
  90. if v.state == 'done':
  91. raise UserError('凭证%s已经确认,请不要重复确认!' % v.name)
  92. if v.date < self.env.company.start_date:
  93. raise UserError('凭证日期不可早于启用日期')
  94. if v.period_id.is_closed:
  95. raise UserError('该会计期间已结账!不能确认')
  96. if not v.line_ids:
  97. raise ValidationError('请输入凭证行')
  98. for line in v.line_ids:
  99. if line.debit + line.credit == 0:
  100. raise ValidationError(
  101. '单行凭证行 %s 借和贷不能同时为0' % line.account_id.name)
  102. if line.debit * line.credit != 0:
  103. raise ValidationError(
  104. '单行凭证行不能同时输入借和贷\n 摘要为%s的凭证行 借方为:%s 贷方为:%s' %
  105. (line.name, line.debit, line.credit))
  106. debit_sum = sum([line.debit for line in v.line_ids])
  107. credit_sum = sum([line.credit for line in v.line_ids])
  108. precision = self.env['decimal.precision'].precision_get('Amount')
  109. debit_sum = round(debit_sum, precision)
  110. credit_sum = round(credit_sum, precision)
  111. if debit_sum != credit_sum:
  112. raise ValidationError('借贷方不平,无法确认!\n 借方合计:%s 贷方合计:%s' %
  113. (debit_sum, credit_sum))
  114. v.state = 'done'
  115. if v.is_checkout: # 月结凭证不做反转
  116. return True
  117. for line in v.line_ids:
  118. if line.account_id.costs_types == 'out' and line.credit:
  119. # 费用类科目只能在借方记账,比如银行利息收入
  120. line.debit = -line.credit
  121. line.credit = 0
  122. if line.account_id.costs_types == 'in' and line.debit:
  123. # 收入类科目只能在贷方记账,比如退款给客户的情况
  124. line.credit = -line.debit
  125. line.debit = 0
  126. def voucher_can_be_draft(self):
  127. for v in self:
  128. if v.ref:
  129. raise UserError('不能撤销确认由其他单据生成的凭证!')
  130. self.voucher_draft()
  131. def voucher_draft(self):
  132. for v in self:
  133. if v.state == 'draft':
  134. raise UserError('凭证%s已经撤销确认,请不要重复撤销!' % v.name)
  135. if v.period_id.is_closed:
  136. raise UserError('%s期 会计期间已结账!不能撤销确认' % v.period_id.name)
  137. v.state = 'draft'
  138. @api.depends('line_ids')
  139. def _compute_amount(self):
  140. for v in self:
  141. v.amount_text = str(sum([line.debit for line in v.line_ids]))
  142. # 重载write 方法
  143. def write(self, vals):
  144. for order in self: # 还需要进一步优化
  145. if self.env.context.get('call_module', False) == "checkout_wizard":
  146. return super().write(vals)
  147. if order.period_id.is_closed is True:
  148. raise UserError('%s期 会计期间已结账,凭证不能再修改!' % order.period_id.name)
  149. return super().write(vals)
  150. class VoucherLine(models.Model):
  151. '''凭证明细'''
  152. _name = 'voucher.line'
  153. _description = '会计凭证明细'
  154. @api.model
  155. def _default_get(self, data):
  156. ''' 给明细行摘要、借方金额、贷方金额字段赋默认值 '''
  157. move_obj = self.env['voucher']
  158. total = 0.0
  159. context = self._context
  160. # odoo16没这个函数
  161. # if context.get('line_ids'):
  162. # for move_line_dict in move_obj.resolve_2many_commands(
  163. # 'line_ids', context.get('line_ids')):
  164. # data['name'] = data.get('name') or move_line_dict.get('name')
  165. # total += move_line_dict.get('debit', 0.0) - \
  166. # move_line_dict.get('credit', 0.0)
  167. # data['debit'] = total < 0 and -total or 0.0
  168. # data['credit'] = total > 0 and total or 0.0
  169. return data
  170. @api.model
  171. def default_get(self, fields):
  172. ''' 创建记录时,根据字段的 default 值和该方法给字段的赋值 来给 记录上的字段赋默认值 '''
  173. fields_data = super(VoucherLine, self).default_get(fields)
  174. data = self._default_get(fields_data)
  175. # 判断 data key是否在 fields 里,如果不在则删除该 key。程序员开发用
  176. for f in list(data.keys()):
  177. if f not in fields:
  178. del data[f]
  179. return data
  180. voucher_id = fields.Many2one('voucher', '对应凭证', ondelete='cascade')
  181. name = fields.Char('摘要', required=True, help='描述本条凭证行的缘由')
  182. account_id = fields.Many2one(
  183. 'finance.account', '会计科目',
  184. ondelete='restrict',
  185. required=True,
  186. domain="[('account_type','=','normal')]")
  187. debit = fields.Float('借方金额', digits='Amount',
  188. help='每条凭证行中只能记录借方金额或者贷方金额中的一个,\
  189. 一张凭证中所有的凭证行的借方余额,必须等于贷方余额。')
  190. credit = fields.Float('贷方金额', digits='Amount',
  191. help='每条凭证行中只能记录借方金额或者贷方金额中的一个,\
  192. 一张凭证中所有的凭证行的借方余额,必须等于贷方余额。')
  193. partner_id = fields.Many2one(
  194. 'partner', '往来单位', ondelete='restrict', help='凭证行的对应的往来单位')
  195. currency_amount = fields.Float('外币金额', digits='Amount')
  196. currency_id = fields.Many2one('res.currency', '外币币别', ondelete='restrict')
  197. rate_silent = fields.Float('汇率', digits=0)
  198. period_id = fields.Many2one(
  199. related='voucher_id.period_id', string='凭证期间', store=True)
  200. goods_qty = fields.Float('数量',
  201. digits='Quantity')
  202. goods_id = fields.Many2one('goods', '商品', ondelete='restrict')
  203. auxiliary_id = fields.Many2one(
  204. 'auxiliary.financing', '辅助核算', help='辅助核算是对账务处理的一种补充,即实现更广泛的账务处理,\
  205. 以适应企业管理和决策的需要.辅助核算一般通过核算项目来实现', ondelete='restrict')
  206. date = fields.Date(compute='_compute_voucher_date',
  207. store=True, string='凭证日期')
  208. state = fields.Selection(
  209. [('draft', '草稿'), ('done', '已确认'), ('cancel', '已作废')],
  210. compute='_compute_voucher_state',
  211. index=True,
  212. store=True, string='状态')
  213. init_obj = fields.Char('初始化对象', help='描述本条凭证行由哪个单证生成而来')
  214. company_id = fields.Many2one(
  215. 'res.company',
  216. string='公司',
  217. change_default=True,
  218. default=lambda self: self.env.company)
  219. @api.depends('voucher_id.date')
  220. def _compute_voucher_date(self):
  221. for vl in self:
  222. vl.date = vl.voucher_id.date
  223. @api.depends('voucher_id.state')
  224. def _compute_voucher_state(self):
  225. for vl in self:
  226. vl.state = vl.voucher_id.state
  227. @api.onchange('account_id')
  228. def onchange_account_id(self):
  229. self.currency_id = self.account_id.currency_id
  230. self.rate_silent = self.account_id.currency_id.rate
  231. res = {
  232. 'domain': {
  233. 'partner_id': [('name', '=', False)],
  234. 'goods_id': [('name', '=', False)],
  235. 'auxiliary_id': [('name', '=', False)]}}
  236. if not self.account_id or not self.account_id.auxiliary_financing:
  237. return res
  238. if self.account_id.auxiliary_financing == 'customer':
  239. res['domain']['partner_id'] = [('c_category_id', '!=', False)]
  240. elif self.account_id.auxiliary_financing == 'supplier':
  241. res['domain']['partner_id'] = [('s_category_id', '!=', False)]
  242. elif self.account_id.auxiliary_financing == 'goods':
  243. res['domain']['goods_id'] = []
  244. else:
  245. res['domain']['auxiliary_id'] = [
  246. ('type', '=', self.account_id.auxiliary_financing)]
  247. return res
  248. def view_document(self):
  249. self.ensure_one()
  250. return {
  251. 'name': '凭证',
  252. 'view_mode': 'form',
  253. 'res_model': 'voucher',
  254. 'res_id': self.voucher_id.id,
  255. 'type': 'ir.actions.act_window',
  256. }
  257. @api.constrains('account_id')
  258. def _check_account_id(self):
  259. for record in self:
  260. if record.account_id.account_type == 'view':
  261. raise UserError('只能往下级科目记账!')
  262. def check_restricted_account(self):
  263. prohibit_account_debit_ids = self.env['finance.account'].search(
  264. [('restricted_debit', '=', True)])
  265. prohibit_account_credit_ids = self.env['finance.account'].search(
  266. [('restricted_credit', '=', True)])
  267. account_ids = []
  268. account = self.account_id
  269. account_ids.append(account)
  270. while account.parent_id:
  271. account_ids.append(account.parent_id)
  272. account = account.parent_id
  273. inner_account_debit = [
  274. acc for acc in account_ids if acc in prohibit_account_debit_ids]
  275. inner_account_credit = [
  276. acc for acc in account_ids if acc in prohibit_account_credit_ids]
  277. if self.debit and not self.credit and inner_account_debit:
  278. raise UserError(
  279. '借方禁止科目: %s-%s \n\n 提示:%s ' % (
  280. self.account_id.code,
  281. self.account_id.name,
  282. inner_account_debit[0].restricted_debit_msg))
  283. if not self.debit and self.credit and inner_account_credit:
  284. raise UserError(
  285. '贷方禁止科目: %s-%s \n\n 提示:%s ' % (
  286. self.account_id.code,
  287. self.account_id.name,
  288. inner_account_credit[0].restrict_credit_msg))
  289. @api.model_create_multi
  290. def create(self, values):
  291. """
  292. Create a new record for a model VoucherLine
  293. @param values: provides a data for new record
  294. @return: returns a id of new record
  295. """
  296. result = super(VoucherLine, self).create(values)
  297. if not self.env.context.get('entry_manual', False):
  298. return result
  299. for r in result:
  300. r.check_restricted_account()
  301. return result
  302. def write(self, values):
  303. """
  304. Update all record(s) in recordset, with new value comes as {values}
  305. return True on success, False otherwise
  306. @param values: dict of new values to be set
  307. @return: True on success, False otherwise
  308. """
  309. result = super(VoucherLine, self).write(values)
  310. if not self.env.context.get('entry_manual', False):
  311. return result
  312. for record in self:
  313. record.check_restricted_account()
  314. return result
  315. class DocumentWord(models.Model):
  316. '''凭证字'''
  317. _name = 'document.word'
  318. _description = '凭证字'
  319. name = fields.Char('凭证字')
  320. print_title = fields.Char('打印标题', help='凭证在打印时的显示的标题')
  321. company_id = fields.Many2one(
  322. 'res.company',
  323. string='公司',
  324. change_default=True,
  325. default=lambda self: self.env.company)
  326. class ChangeVoucherName(models.Model):
  327. ''' 修改凭证编号 '''
  328. _name = 'change.voucher.name'
  329. _description = '月末凭证变更记录'
  330. period_id = fields.Many2one('finance.period', '会计期间')
  331. before_voucher_name = fields.Char('以前凭证号')
  332. after_voucher_name = fields.Char('更新后凭证号')
  333. company_id = fields.Many2one(
  334. 'res.company',
  335. string='公司',
  336. change_default=True,
  337. default=lambda self: self.env.company)
上海开阖软件有限公司 沪ICP备12045867号-1