[FIX] website_quote: onchange return nothing if product is False
[odoo/odoo.git] / addons / base_action_rule / base_action_rule.py
1 # -*- coding: utf-8 -*-
2 ##############################################################################
3 #
4 #    OpenERP, Open Source Management Solution
5 #    Copyright (C) 2004-2010 Tiny SPRL (<http://tiny.be>).
6 #
7 #    This program is free software: you can redistribute it and/or modify
8 #    it under the terms of the GNU Affero General Public License as
9 #    published by the Free Software Foundation, either version 3 of the
10 #    License, or (at your option) any later version.
11 #
12 #    This program is distributed in the hope that it will be useful,
13 #    but WITHOUT ANY WARRANTY; without even the implied warranty of
14 #    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15 #    GNU Affero General Public License for more details.
16 #
17 #    You should have received a copy of the GNU Affero General Public License
18 #    along with this program.  If not, see <http://www.gnu.org/licenses/>.
19 #
20 ##############################################################################
21
22 from datetime import datetime, timedelta
23 import time
24 import logging
25
26 import openerp
27 from openerp import SUPERUSER_ID
28 from openerp.osv import fields, osv
29 from openerp.tools import DEFAULT_SERVER_DATETIME_FORMAT
30
31 _logger = logging.getLogger(__name__)
32
33 DATE_RANGE_FUNCTION = {
34     'minutes': lambda interval: timedelta(minutes=interval),
35     'hour': lambda interval: timedelta(hours=interval),
36     'day': lambda interval: timedelta(days=interval),
37     'month': lambda interval: timedelta(months=interval),
38     False: lambda interval: timedelta(0),
39 }
40
41 def get_datetime(date_str):
42     '''Return a datetime from a date string or a datetime string'''
43     # complete date time if date_str contains only a date
44     if ' ' not in date_str:
45         date_str = date_str + " 00:00:00"
46     return datetime.strptime(date_str, DEFAULT_SERVER_DATETIME_FORMAT)
47
48
49 class base_action_rule(osv.osv):
50     """ Base Action Rules """
51
52     _name = 'base.action.rule'
53     _description = 'Action Rules'
54     _order = 'sequence'
55
56     _columns = {
57         'name':  fields.char('Rule Name', required=True),
58         'model_id': fields.many2one('ir.model', 'Related Document Model',
59             required=True, domain=[('osv_memory', '=', False)]),
60         'model': fields.related('model_id', 'model', type="char", string='Model'),
61         'create_date': fields.datetime('Create Date', readonly=1),
62         'active': fields.boolean('Active',
63             help="When unchecked, the rule is hidden and will not be executed."),
64         'sequence': fields.integer('Sequence',
65             help="Gives the sequence order when displaying a list of rules."),
66         'kind': fields.selection(
67             [('on_create', 'On Creation'),
68              ('on_write', 'On Update'),
69              ('on_create_or_write', 'On Creation & Update'),
70              ('on_time', 'Based on Timed Condition')],
71             string='When to Run'),
72         'trg_date_id': fields.many2one('ir.model.fields', string='Trigger Date',
73             help="When should the condition be triggered. If present, will be checked by the scheduler. If empty, will be checked at creation and update.",
74             domain="[('model_id', '=', model_id), ('ttype', 'in', ('date', 'datetime'))]"),
75         'trg_date_range': fields.integer('Delay after trigger date',
76             help="Delay after the trigger date." \
77             "You can put a negative number if you need a delay before the" \
78             "trigger date, like sending a reminder 15 minutes before a meeting."),
79         'trg_date_range_type': fields.selection([('minutes', 'Minutes'), ('hour', 'Hours'),
80                                 ('day', 'Days'), ('month', 'Months')], 'Delay type'),
81         'trg_date_calendar_id': fields.many2one(
82             'resource.calendar', 'Use Calendar',
83             help='When calculating a day-based timed condition, it is possible to use a calendar to compute the date based on working days.',
84             ondelete='set null',
85         ),
86         'act_user_id': fields.many2one('res.users', 'Set Responsible'),
87         'act_followers': fields.many2many("res.partner", string="Add Followers"),
88         'server_action_ids': fields.many2many('ir.actions.server', string='Server Actions',
89             domain="[('model_id', '=', model_id)]",
90             help="Examples: email reminders, call object service, etc."),
91         'filter_pre_id': fields.many2one('ir.filters', string='Before Update Filter',
92             ondelete='restrict',
93             domain="[('model_id', '=', model_id.model)]",
94             help="If present, this condition must be satisfied before the update of the record."),
95         'filter_id': fields.many2one('ir.filters', string='Filter',
96             ondelete='restrict',
97             domain="[('model_id', '=', model_id.model)]",
98             help="If present, this condition must be satisfied before executing the action rule."),
99         'last_run': fields.datetime('Last Run', readonly=1, copy=False),
100     }
101
102     _defaults = {
103         'active': True,
104         'trg_date_range_type': 'day',
105     }
106
107     def onchange_kind(self, cr, uid, ids, kind, context=None):
108         clear_fields = []
109         if kind in ['on_create', 'on_create_or_write']:
110             clear_fields = ['filter_pre_id', 'trg_date_id', 'trg_date_range', 'trg_date_range_type']
111         elif kind in ['on_write', 'on_create_or_write']:
112             clear_fields = ['trg_date_id', 'trg_date_range', 'trg_date_range_type']
113         elif kind == 'on_time':
114             clear_fields = ['filter_pre_id']
115         return {'value': dict.fromkeys(clear_fields, False)}
116
117     def _filter(self, cr, uid, action, action_filter, record_ids, context=None):
118         """ filter the list record_ids that satisfy the action filter """
119         if record_ids and action_filter:
120             assert action.model == action_filter.model_id, "Filter model different from action rule model"
121             model = self.pool[action_filter.model_id]
122             domain = [('id', 'in', record_ids)] + eval(action_filter.domain)
123             ctx = dict(context or {})
124             ctx.update(eval(action_filter.context))
125             record_ids = model.search(cr, uid, domain, context=ctx)
126         return record_ids
127
128     def _process(self, cr, uid, action, record_ids, context=None):
129         """ process the given action on the records """
130         model = self.pool[action.model_id.model]
131
132         # modify records
133         values = {}
134         if 'date_action_last' in model._all_columns:
135             values['date_action_last'] = time.strftime(DEFAULT_SERVER_DATETIME_FORMAT)
136         if action.act_user_id and 'user_id' in model._all_columns:
137             values['user_id'] = action.act_user_id.id
138         if values:
139             model.write(cr, uid, record_ids, values, context=context)
140
141         if action.act_followers and hasattr(model, 'message_subscribe'):
142             follower_ids = map(int, action.act_followers)
143             model.message_subscribe(cr, uid, record_ids, follower_ids, context=context)
144
145         # execute server actions
146         if action.server_action_ids:
147             server_action_ids = map(int, action.server_action_ids)
148             for record in model.browse(cr, uid, record_ids, context):
149                 action_server_obj = self.pool.get('ir.actions.server')
150                 ctx = dict(context, active_model=model._name, active_ids=[record.id], active_id=record.id)
151                 action_server_obj.run(cr, uid, server_action_ids, context=ctx)
152
153         return True
154
155     def _register_hook(self, cr, ids=None):
156         """ Wrap the methods `create` and `write` of the models specified by
157             the rules given by `ids` (or all existing rules if `ids` is `None`.)
158         """
159         #
160         # Note: the patched methods create and write must be defined inside
161         # another function, otherwise their closure may be wrong. For instance,
162         # the function create refers to the outer variable 'create', which you
163         # expect to be bound to create itself. But that expectation is wrong if
164         # create is defined inside a loop; in that case, the variable 'create'
165         # is bound to the last function defined by the loop.
166         #
167
168         def make_create():
169             """ instanciate a create method that processes action rules """
170             def create(self, cr, uid, vals, context=None, **kwargs):
171                 # avoid loops or cascading actions
172                 if context and context.get('action'):
173                     return create.origin(self, cr, uid, vals, context=context)
174
175                 # call original method with a modified context
176                 context = dict(context or {}, action=True)
177                 new_id = create.origin(self, cr, uid, vals, context=context, **kwargs)
178
179                 # as it is a new record, we do not consider the actions that have a prefilter
180                 action_model = self.pool.get('base.action.rule')
181                 action_dom = [('model', '=', self._name),
182                               ('kind', 'in', ['on_create', 'on_create_or_write'])]
183                 action_ids = action_model.search(cr, uid, action_dom, context=context)
184
185                 # check postconditions, and execute actions on the records that satisfy them
186                 for action in action_model.browse(cr, uid, action_ids, context=context):
187                     if action_model._filter(cr, uid, action, action.filter_id, [new_id], context=context):
188                         action_model._process(cr, uid, action, [new_id], context=context)
189                 return new_id
190
191             return create
192
193         def make_write():
194             """ instanciate a write method that processes action rules """
195             def write(self, cr, uid, ids, vals, context=None, **kwargs):
196                 # avoid loops or cascading actions
197                 if context and context.get('action'):
198                     return write.origin(self, cr, uid, ids, vals, context=context)
199
200                 # modify context
201                 context = dict(context or {}, action=True)
202                 ids = [ids] if isinstance(ids, (int, long, str)) else ids
203
204                 # retrieve the action rules to possibly execute
205                 action_model = self.pool.get('base.action.rule')
206                 action_dom = [('model', '=', self._name),
207                               ('kind', 'in', ['on_write', 'on_create_or_write'])]
208                 action_ids = action_model.search(cr, uid, action_dom, context=context)
209                 actions = action_model.browse(cr, uid, action_ids, context=context)
210
211                 # check preconditions
212                 pre_ids = {}
213                 for action in actions:
214                     pre_ids[action] = action_model._filter(cr, uid, action, action.filter_pre_id, ids, context=context)
215
216                 # call original method
217                 write.origin(self, cr, uid, ids, vals, context=context, **kwargs)
218
219                 # check postconditions, and execute actions on the records that satisfy them
220                 for action in actions:
221                     post_ids = action_model._filter(cr, uid, action, action.filter_id, pre_ids[action], context=context)
222                     if post_ids:
223                         action_model._process(cr, uid, action, post_ids, context=context)
224                 return True
225
226             return write
227
228         updated = False
229         if ids is None:
230             ids = self.search(cr, SUPERUSER_ID, [])
231         for action_rule in self.browse(cr, SUPERUSER_ID, ids):
232             model = action_rule.model_id.model
233             model_obj = self.pool[model]
234             if not hasattr(model_obj, 'base_action_ruled'):
235                 # monkey-patch methods create and write
236                 model_obj._patch_method('create', make_create())
237                 model_obj._patch_method('write', make_write())
238                 model_obj.base_action_ruled = True
239                 updated = True
240
241         return updated
242
243     def create(self, cr, uid, vals, context=None):
244         res_id = super(base_action_rule, self).create(cr, uid, vals, context=context)
245         if self._register_hook(cr, [res_id]):
246             openerp.modules.registry.RegistryManager.signal_registry_change(cr.dbname)
247         return res_id
248
249     def write(self, cr, uid, ids, vals, context=None):
250         if isinstance(ids, (int, long)):
251             ids = [ids]
252         super(base_action_rule, self).write(cr, uid, ids, vals, context=context)
253         if self._register_hook(cr, ids):
254             openerp.modules.registry.RegistryManager.signal_registry_change(cr.dbname)
255         return True
256
257     def onchange_model_id(self, cr, uid, ids, model_id, context=None):
258         data = {'model': False, 'filter_pre_id': False, 'filter_id': False}
259         if model_id:
260             model = self.pool.get('ir.model').browse(cr, uid, model_id, context=context)
261             data.update({'model': model.model})
262         return {'value': data}
263
264     def _check_delay(self, cr, uid, action, record, record_dt, context=None):
265         if action.trg_date_calendar_id and action.trg_date_range_type == 'day':
266             start_dt = get_datetime(record_dt)
267             action_dt = self.pool['resource.calendar'].schedule_days_get_date(
268                 cr, uid, action.trg_date_calendar_id.id, action.trg_date_range,
269                 day_date=start_dt, compute_leaves=True, context=context
270             )
271         else:
272             delay = DATE_RANGE_FUNCTION[action.trg_date_range_type](action.trg_date_range)
273             action_dt = get_datetime(record_dt) + delay
274         return action_dt
275
276     def _check(self, cr, uid, automatic=False, use_new_cursor=False, context=None):
277         """ This Function is called by scheduler. """
278         context = context or {}
279         # retrieve all the action rules to run based on a timed condition
280         action_dom = [('kind', '=', 'on_time')]
281         action_ids = self.search(cr, uid, action_dom, context=context)
282         for action in self.browse(cr, uid, action_ids, context=context):
283             now = datetime.now()
284             if action.last_run:
285                 last_run = get_datetime(action.last_run)
286             else:
287                 last_run = datetime.utcfromtimestamp(0)
288
289             # retrieve all the records that satisfy the action's condition
290             model = self.pool[action.model_id.model]
291             domain = []
292             ctx = dict(context)
293             if action.filter_id:
294                 domain = eval(action.filter_id.domain)
295                 ctx.update(eval(action.filter_id.context))
296                 if 'lang' not in ctx:
297                     # Filters might be language-sensitive, attempt to reuse creator lang
298                     # as we are usually running this as super-user in background
299                     [filter_meta] = action.filter_id.get_metadata()
300                     user_id = filter_meta['write_uid'] and filter_meta['write_uid'][0] or \
301                                     filter_meta['create_uid'][0]
302                     ctx['lang'] = self.pool['res.users'].browse(cr, uid, user_id).lang
303             record_ids = model.search(cr, uid, domain, context=ctx)
304
305             # determine when action should occur for the records
306             date_field = action.trg_date_id.name
307             if date_field == 'date_action_last' and 'create_date' in model._all_columns:
308                 get_record_dt = lambda record: record[date_field] or record.create_date
309             else:
310                 get_record_dt = lambda record: record[date_field]
311
312             # process action on the records that should be executed
313             for record in model.browse(cr, uid, record_ids, context=context):
314                 record_dt = get_record_dt(record)
315                 if not record_dt:
316                     continue
317                 action_dt = self._check_delay(cr, uid, action, record, record_dt, context=context)
318                 if last_run <= action_dt < now:
319                     try:
320                         context = dict(context or {}, action=True)
321                         self._process(cr, uid, action, [record.id], context=context)
322                     except Exception:
323                         import traceback
324                         _logger.error(traceback.format_exc())
325
326             action.write({'last_run': now.strftime(DEFAULT_SERVER_DATETIME_FORMAT)})
327
328             if automatic:
329                 # auto-commit for batch processing
330                 cr.commit()