removed bad code
[odoo/odoo.git] / bin / osv / fields.py
1 # -*- coding: utf-8 -*-
2 ##############################################################################
3 #    
4 #    OpenERP, Open Source Management Solution
5 #    Copyright (C) 2004-2009 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 # . Fields:
23 #      - simple
24 #      - relations (one2many, many2one, many2many)
25 #      - function
26 #
27 # Fields Attributes:
28 #   _classic_read: is a classic sql fields
29 #   _type   : field type
30 #   readonly
31 #   required
32 #   size
33 #
34 import string
35 import netsvc
36 import sys
37
38 from psycopg2 import Binary
39 import warnings
40
41 import tools
42
43
44 def _symbol_set(symb):
45     if symb == None or symb == False:
46         return None
47     elif isinstance(symb, unicode):
48         return symb.encode('utf-8')
49     return str(symb)
50
51
52 class _column(object):
53     _classic_read = True
54     _classic_write = True
55     _prefetch = True
56     _properties = False
57     _type = 'unknown'
58     _obj = None
59     _multi = False
60     _symbol_c = '%s'
61     _symbol_f = _symbol_set
62     _symbol_set = (_symbol_c, _symbol_f)
63     _symbol_get = None
64
65     def __init__(self, string='unknown', required=False, readonly=False, domain=None, context='', states=None, priority=0, change_default=False, size=None, ondelete="set null", translate=False, select=False, **args):
66         self.states = states or {}
67         self.string = string
68         self.readonly = readonly
69         self.required = required
70         self.size = size
71         self.help = args.get('help', '')
72         self.priority = priority
73         self.change_default = change_default
74         self.ondelete = ondelete
75         self.translate = translate
76         self._domain = domain or []
77         self._context = context
78         self.write = False
79         self.read = False
80         self.view_load = 0
81         self.select = select
82         self.selectable = True
83         for a in args:
84             if args[a]:
85                 setattr(self, a, args[a])
86
87     def restart(self):
88         pass
89
90     def set(self, cr, obj, id, name, value, user=None, context=None):
91         cr.execute('update '+obj._table+' set '+name+'='+self._symbol_set[0]+' where id=%s', (self._symbol_set[1](value), id))
92
93     def set_memory(self, cr, obj, id, name, value, user=None, context=None):
94         raise Exception(_('Not implemented set_memory method !'))
95
96     def get_memory(self, cr, obj, ids, name, user=None, context=None, values=None):
97         raise Exception(_('Not implemented get_memory method !'))
98
99     def get(self, cr, obj, ids, name, user=None, offset=0, context=None, values=None):
100         raise Exception(_('undefined get method !'))
101
102     def search(self, cr, obj, args, name, value, offset=0, limit=None, uid=None, context=None):
103         ids = obj.search(cr, uid, args+self._domain+[(name, 'ilike', value)], offset, limit, context=context)
104         res = obj.read(cr, uid, ids, [name], context=context)
105         return [x[name] for x in res]
106
107     def search_memory(self, cr, obj, args, name, value, offset=0, limit=None, uid=None, context=None):
108         raise Exception(_('Not implemented search_memory method !'))
109
110
111 # ---------------------------------------------------------
112 # Simple fields
113 # ---------------------------------------------------------
114 class boolean(_column):
115     _type = 'boolean'
116     _symbol_c = '%s'
117     _symbol_f = lambda x: x and 'True' or 'False'
118     _symbol_set = (_symbol_c, _symbol_f)
119
120
121 class integer_big(_column):
122     _type = 'integer_big'
123     _symbol_c = '%s'
124     _symbol_f = lambda x: int(x or 0)
125     _symbol_set = (_symbol_c, _symbol_f)
126
127 class integer(_column):
128     _type = 'integer'
129     _symbol_c = '%s'
130     _symbol_f = lambda x: int(x or 0)
131     _symbol_set = (_symbol_c, _symbol_f)
132
133
134 class reference(_column):
135     _type = 'reference'
136
137     def __init__(self, string, selection, size, **args):
138         _column.__init__(self, string=string, size=size, selection=selection, **args)
139
140
141 class char(_column):
142     _type = 'char'
143
144     def __init__(self, string, size, **args):
145         _column.__init__(self, string=string, size=size, **args)
146         self._symbol_set = (self._symbol_c, self._symbol_set_char)
147
148     # takes a string (encoded in utf8) and returns a string (encoded in utf8)
149     def _symbol_set_char(self, symb):
150         #TODO:
151         # * we need to remove the "symb==False" from the next line BUT
152         #   for now too many things rely on this broken behavior
153         # * the symb==None test should be common to all data types
154         if symb == None or symb == False:
155             return None
156
157         # we need to convert the string to a unicode object to be able
158         # to evaluate its length (and possibly truncate it) reliably
159         u_symb = tools.ustr(symb)
160
161         return u_symb[:self.size].encode('utf8')
162
163
164 class text(_column):
165     _type = 'text'
166
167 import __builtin__
168
169 class float(_column):
170     _type = 'float'
171     _symbol_c = '%s'
172     _symbol_f = lambda x: __builtin__.float(x or 0.0)
173     _symbol_set = (_symbol_c, _symbol_f)
174
175     def __init__(self, string='unknown', digits=None, **args):
176         _column.__init__(self, string=string, **args)
177         self.digits = digits
178
179
180 class date(_column):
181     _type = 'date'
182
183
184 class datetime(_column):
185     _type = 'datetime'
186
187
188 class time(_column):
189     _type = 'time'
190
191
192 class binary(_column):
193     _type = 'binary'
194     _symbol_c = '%s'
195     _symbol_f = lambda symb: symb and Binary(symb) or None
196     _symbol_set = (_symbol_c, _symbol_f)
197     _symbol_get = lambda self, x: x and str(x)
198
199     _classic_read = False
200     _prefetch = False
201
202     def __init__(self, string='unknown', filters=None, **args):
203         _column.__init__(self, string=string, **args)
204         self.filters = filters
205
206     def get_memory(self, cr, obj, ids, name, user=None, context=None, values=None):
207         if not context:
208             context = {}
209         if not values:
210             values = []
211         res = {}
212         for i in ids:
213             val = None
214             for v in values:
215                 if v['id'] == i:
216                     val = v[name]
217                     break
218             if context.get('bin_size', False) and val:
219                 res[i] = tools.human_size(long(val))
220             else:
221                 res[i] = val
222         return res
223
224     get = get_memory
225
226
227 class selection(_column):
228     _type = 'selection'
229
230     def __init__(self, selection, string='unknown', **args):
231         _column.__init__(self, string=string, **args)
232         self.selection = selection
233
234 # ---------------------------------------------------------
235 # Relationals fields
236 # ---------------------------------------------------------
237
238 #
239 # Values: (0, 0,  { fields })    create
240 #         (1, ID, { fields })    modification
241 #         (2, ID)                remove (delete)
242 #         (3, ID)                unlink one (target id or target of relation)
243 #         (4, ID)                link
244 #         (5)                    unlink all (only valid for one2many)
245 #
246 #CHECKME: dans la pratique c'est quoi la syntaxe utilisee pour le 5? (5) ou (5, 0)?
247 class one2one(_column):
248     _classic_read = False
249     _classic_write = True
250     _type = 'one2one'
251
252     def __init__(self, obj, string='unknown', **args):
253         warnings.warn("The one2one field doesn't work anymore", DeprecationWarning)
254         _column.__init__(self, string=string, **args)
255         self._obj = obj
256
257     def set(self, cr, obj_src, id, field, act, user=None, context=None):
258         if not context:
259             context = {}
260         obj = obj_src.pool.get(self._obj)
261         self._table = obj_src.pool.get(self._obj)._table
262         if act[0] == 0:
263             id_new = obj.create(cr, user, act[1])
264             cr.execute('update '+obj_src._table+' set '+field+'=%s where id=%s', (id_new, id))
265         else:
266             cr.execute('select '+field+' from '+obj_src._table+' where id=%s', (act[0],))
267             id = cr.fetchone()[0]
268             obj.write(cr, user, [id], act[1], context=context)
269
270     def search(self, cr, obj, args, name, value, offset=0, limit=None, uid=None, context=None):
271         return obj.pool.get(self._obj).search(cr, uid, args+self._domain+[('name', 'like', value)], offset, limit, context=context)
272
273
274 class many2one(_column):
275     _classic_read = False
276     _classic_write = True
277     _type = 'many2one'
278     _symbol_c = '%s'
279     _symbol_f = lambda x: x or None
280     _symbol_set = (_symbol_c, _symbol_f)
281
282     def __init__(self, obj, string='unknown', **args):
283         _column.__init__(self, string=string, **args)
284         self._obj = obj
285
286     def set_memory(self, cr, obj, id, field, values, user=None, context=None):
287         obj.datas.setdefault(id, {})
288         obj.datas[id][field] = values
289
290     def get_memory(self, cr, obj, ids, name, user=None, context=None, values=None):
291         result = {}
292         for id in ids:
293             result[id] = obj.datas[id][name]
294         return result
295
296     def get(self, cr, obj, ids, name, user=None, context=None, values=None):
297         if not context:
298             context = {}
299         if not values:
300             values = {}
301         res = {}
302         for r in values:
303             res[r['id']] = r[name]
304         for id in ids:
305             res.setdefault(id, '')
306         obj = obj.pool.get(self._obj)
307
308         # build a dictionary of the form {'id_of_distant_resource': name_of_distant_resource}
309         from orm import except_orm
310         try:
311             names = dict(obj.name_get(cr, user, filter(None, res.values()), context))
312         except except_orm:
313             names = {}
314             iids = filter(None, res.values())
315             for iiid in iids:
316                 names[iiid] = '// Access Denied //'
317         for r in res.keys():
318             if res[r] and res[r] in names:
319                 res[r] = (res[r], names[res[r]])
320             else:
321                 res[r] = False
322         return res
323
324     def set(self, cr, obj_src, id, field, values, user=None, context=None):
325         if not context:
326             context = {}
327         obj = obj_src.pool.get(self._obj)
328         self._table = obj_src.pool.get(self._obj)._table
329         if type(values) == type([]):
330             for act in values:
331                 if act[0] == 0:
332                     id_new = obj.create(cr, act[2])
333                     cr.execute('update '+obj_src._table+' set '+field+'=%s where id=%s', (id_new, id))
334                 elif act[0] == 1:
335                     obj.write(cr, [act[1]], act[2], context=context)
336                 elif act[0] == 2:
337                     cr.execute('delete from '+self._table+' where id=%s', (act[1],))
338                 elif act[0] == 3 or act[0] == 5:
339                     cr.execute('update '+obj_src._table+' set '+field+'=null where id=%s', (id,))
340                 elif act[0] == 4:
341                     cr.execute('update '+obj_src._table+' set '+field+'=%s where id=%s', (act[1], id))
342         else:
343             if values:
344                 cr.execute('update '+obj_src._table+' set '+field+'=%s where id=%s', (values, id))
345             else:
346                 cr.execute('update '+obj_src._table+' set '+field+'=null where id=%s', (id,))
347
348     def search(self, cr, obj, args, name, value, offset=0, limit=None, uid=None, context=None):
349         return obj.pool.get(self._obj).search(cr, uid, args+self._domain+[('name', 'like', value)], offset, limit, context=context)
350
351
352 class one2many(_column):
353     _classic_read = False
354     _classic_write = False
355     _prefetch = False
356     _type = 'one2many'
357
358     def __init__(self, obj, fields_id, string='unknown', limit=None, **args):
359         _column.__init__(self, string=string, **args)
360         self._obj = obj
361         self._fields_id = fields_id
362         self._limit = limit
363         #one2many can't be used as condition for defaults
364         assert(self.change_default != True)
365
366     def get_memory(self, cr, obj, ids, name, user=None, offset=0, context=None, values=None):
367         if not context:
368             context = {}
369         if self._context:
370             context = context.copy()
371             context.update(self._context)
372         if not values:
373             values = {}
374         res = {}
375         for id in ids:
376             res[id] = []
377         ids2 = obj.pool.get(self._obj).search(cr, user, [(self._fields_id, 'in', ids)], limit=self._limit, context=context)
378         for r in obj.pool.get(self._obj).read(cr, user, ids2, [self._fields_id], context=context, load='_classic_write'):
379             if r[self._fields_id] in res:
380                 res[r[self._fields_id]].append(r['id'])
381         return res
382
383     def set_memory(self, cr, obj, id, field, values, user=None, context=None):
384         if not context:
385             context = {}
386         if self._context:
387             context = context.copy()
388         context.update(self._context)
389         if not values:
390             return
391         obj = obj.pool.get(self._obj)
392         for act in values:
393             if act[0] == 0:
394                 act[2][self._fields_id] = id
395                 obj.create(cr, user, act[2], context=context)
396             elif act[0] == 1:
397                 obj.write(cr, user, [act[1]], act[2], context=context)
398             elif act[0] == 2:
399                 obj.unlink(cr, user, [act[1]], context=context)
400             elif act[0] == 3:
401                 obj.datas[act[1]][self._fields_id] = False
402             elif act[0] == 4:
403                 obj.datas[act[1]] = id
404             elif act[0] == 5:
405                 for o in obj.datas.values():
406                     if o[self._fields_id] == id:
407                         o[self._fields_id] = False
408             elif act[0] == 6:
409                 for id2 in (act[2] or []):
410                     obj.datas[id2][self._fields_id] = id
411
412     def search_memory(self, cr, obj, args, name, value, offset=0, limit=None, uid=None, operator='like', context=None):
413         raise _('Not Implemented')
414
415     def get(self, cr, obj, ids, name, user=None, offset=0, context=None, values=None):
416         if not context:
417             context = {}
418         if self._context:
419             context = context.copy()
420         context.update(self._context)
421         if not values:
422             values = {}
423         res = {}
424         for id in ids:
425             res[id] = []
426         ids2 = obj.pool.get(self._obj).search(cr, user, [(self._fields_id, 'in', ids)], limit=self._limit, context=context)
427         for r in obj.pool.get(self._obj)._read_flat(cr, user, ids2, [self._fields_id], context=context, load='_classic_write'):
428             res[r[self._fields_id]].append(r['id'])
429         return res
430
431     def set(self, cr, obj, id, field, values, user=None, context=None):
432         result = []
433         if not context:
434             context = {}
435         if self._context:
436             context = context.copy()
437         context.update(self._context)
438         context['no_store_function'] = True
439         if not values:
440             return
441         _table = obj.pool.get(self._obj)._table
442         obj = obj.pool.get(self._obj)
443         for act in values:
444             if act[0] == 0:
445                 act[2][self._fields_id] = id
446                 id_new = obj.create(cr, user, act[2], context=context)
447                 result += obj._store_get_values(cr, user, [id_new], act[2].keys(), context)
448             elif act[0] == 1:
449                 obj.write(cr, user, [act[1]], act[2], context=context)
450             elif act[0] == 2:
451                 obj.unlink(cr, user, [act[1]], context=context)
452             elif act[0] == 3:
453                 cr.execute('update '+_table+' set '+self._fields_id+'=null where id=%s', (act[1],))
454             elif act[0] == 4:
455                 cr.execute('update '+_table+' set '+self._fields_id+'=%s where id=%s', (id, act[1]))
456             elif act[0] == 5:
457                 cr.execute('update '+_table+' set '+self._fields_id+'=null where '+self._fields_id+'=%s', (id,))
458             elif act[0] == 6:
459                 obj.write(cr, user, act[2], {self._fields_id:id}, context=context or {})
460                 ids2 = act[2] or [0]
461                 cr.execute('select id from '+_table+' where '+self._fields_id+'=%s and id <> ALL (%s)', (id,ids2))
462                 ids3 = map(lambda x:x[0], cr.fetchall())
463                 obj.write(cr, user, ids3, {self._fields_id:False}, context=context or {})
464         return result
465
466     def search(self, cr, obj, args, name, value, offset=0, limit=None, uid=None, operator='like', context=None):
467         return obj.pool.get(self._obj).name_search(cr, uid, value, self._domain, operator, context=context,limit=limit)
468
469
470 #
471 # Values: (0, 0,  { fields })    create
472 #         (1, ID, { fields })    modification
473 #         (2, ID)                remove
474 #         (3, ID)                unlink
475 #         (4, ID)                link
476 #         (5, ID)                unlink all
477 #         (6, ?, ids)            set a list of links
478 #
479 class many2many(_column):
480     _classic_read = False
481     _classic_write = False
482     _prefetch = False
483     _type = 'many2many'
484
485     def __init__(self, obj, rel, id1, id2, string='unknown', limit=None, **args):
486         _column.__init__(self, string=string, **args)
487         self._obj = obj
488         if '.' in rel:
489             raise Exception(_('The second argument of the many2many field %s must be a SQL table !'\
490                 'You used %s, which is not a valid SQL table name.')% (string,rel))
491         self._rel = rel
492         self._id1 = id1
493         self._id2 = id2
494         self._limit = limit
495
496     def get(self, cr, obj, ids, name, user=None, offset=0, context=None, values=None):
497         if not context:
498             context = {}
499         if not values:
500             values = {}
501         res = {}
502         if not ids:
503             return res
504         for id in ids:
505             res[id] = []
506         limit_str = self._limit is not None and ' limit %d' % self._limit or ''
507         obj = obj.pool.get(self._obj)
508
509         d1, d2, tables = obj.pool.get('ir.rule').domain_get(cr, user, obj._name, context=context)
510         if d1:
511             d1 = ' and ' + ' and '.join(d1)
512         else: d1 = ''
513
514         cr.execute('SELECT '+self._rel+'.'+self._id2+','+self._rel+'.'+self._id1+' \
515                 FROM '+self._rel+' , '+(','.join(tables))+' \
516                 WHERE '+self._rel+'.'+self._id1+' = ANY (%s) \
517                     AND '+self._rel+'.'+self._id2+' = '+obj._table+'.id '+d1
518                 +limit_str+' order by '+obj._table+'.'+obj._order+' offset %s',
519                 [ids,]+d2+[offset])
520         for r in cr.fetchall():
521             res[r[1]].append(r[0])
522         return res
523
524     def set(self, cr, obj, id, name, values, user=None, context=None):
525         if not context:
526             context = {}
527         if not values:
528             return
529         obj = obj.pool.get(self._obj)
530         for act in values:
531             if not (isinstance(act, list) or isinstance(act, tuple)) or not act:
532                 continue
533             if act[0] == 0:
534                 idnew = obj.create(cr, user, act[2])
535                 cr.execute('insert into '+self._rel+' ('+self._id1+','+self._id2+') values (%s,%s)', (id, idnew))
536             elif act[0] == 1:
537                 obj.write(cr, user, [act[1]], act[2], context=context)
538             elif act[0] == 2:
539                 obj.unlink(cr, user, [act[1]], context=context)
540             elif act[0] == 3:
541                 cr.execute('delete from '+self._rel+' where ' + self._id1 + '=%s and '+ self._id2 + '=%s', (id, act[1]))
542             elif act[0] == 4:
543                 cr.execute('insert into '+self._rel+' ('+self._id1+','+self._id2+') values (%s,%s)', (id, act[1]))
544             elif act[0] == 5:
545                 cr.execute('update '+self._rel+' set '+self._id2+'=null where '+self._id2+'=%s', (id,))
546             elif act[0] == 6:
547
548                 d1, d2,tables = obj.pool.get('ir.rule').domain_get(cr, user, obj._name, context=context)
549                 if d1:
550                     d1 = ' and ' + ' and '.join(d1)
551                 else:
552                     d1 = ''
553                 cr.execute('delete from '+self._rel+' where '+self._id1+'=%s AND '+self._id2+' IN (SELECT '+self._rel+'.'+self._id2+' FROM '+self._rel+', '+','.join(tables)+' WHERE '+self._rel+'.'+self._id1+'=%s AND '+self._rel+'.'+self._id2+' = '+obj._table+'.id '+ d1 +')', [id, id]+d2)
554
555                 for act_nbr in act[2]:
556                     cr.execute('insert into '+self._rel+' ('+self._id1+','+self._id2+') values (%s, %s)', (id, act_nbr))
557
558     #
559     # TODO: use a name_search
560     #
561     def search(self, cr, obj, args, name, value, offset=0, limit=None, uid=None, operator='like', context=None):
562         return obj.pool.get(self._obj).search(cr, uid, args+self._domain+[('name', operator, value)], offset, limit, context=context)
563
564     def get_memory(self, cr, obj, ids, name, user=None, offset=0, context=None, values=None):
565         result = {}
566         for id in ids:
567             result[id] = obj.datas[id].get(name, [])
568         return result
569
570     def set_memory(self, cr, obj, id, name, values, user=None, context=None):
571         if not values:
572             return
573         for act in values:
574             # TODO: use constants instead of these magic numbers
575             if act[0] == 0:
576                 raise _('Not Implemented')
577             elif act[0] == 1:
578                 raise _('Not Implemented')
579             elif act[0] == 2:
580                 raise _('Not Implemented')
581             elif act[0] == 3:
582                 raise _('Not Implemented')
583             elif act[0] == 4:
584                 raise _('Not Implemented')
585             elif act[0] == 5:
586                 raise _('Not Implemented')
587             elif act[0] == 6:
588                 obj.datas[id][name] = act[2]
589
590
591 def get_nice_size(a):
592     (x,y) = a
593     if isinstance(y, (int,long)):
594         size = y
595     elif y:
596         size = len(y)
597     else:
598         size = 0
599     return (x, tools.human_size(size))
600
601 # ---------------------------------------------------------
602 # Function fields
603 # ---------------------------------------------------------
604 class function(_column):
605     _classic_read = False
606     _classic_write = False
607     _prefetch = False
608     _type = 'function'
609     _properties = True
610
611 #
612 # multi: compute several fields in one call
613 #
614     def __init__(self, fnct, arg=None, fnct_inv=None, fnct_inv_arg=None, type='float', fnct_search=None, obj=None, method=False, store=False, multi=False, **args):
615         _column.__init__(self, **args)
616         self._obj = obj
617         self._method = method
618         self._fnct = fnct
619         self._fnct_inv = fnct_inv
620         self._arg = arg
621         self._multi = multi
622         if 'relation' in args:
623             self._obj = args['relation']
624             
625         if 'digits' in args:
626             self.digits = args['digits']
627         else:
628             self.digits = (16,2)    
629                 
630         self._fnct_inv_arg = fnct_inv_arg
631         if not fnct_inv:
632             self.readonly = 1
633         self._type = type
634         self._fnct_search = fnct_search
635         self.store = store
636
637         if not fnct_search and not store:
638             self.selectable = False
639         
640         if store:
641             self._classic_read = True
642             self._classic_write = True
643             if type=='binary':
644                 self._symbol_get=lambda x:x and str(x)
645
646         if type == 'float':
647             self._symbol_c = float._symbol_c
648             self._symbol_f = float._symbol_f
649             self._symbol_set = float._symbol_set
650
651     def search(self, cr, uid, obj, name, args, context=None):
652         if not self._fnct_search:
653             #CHECKME: should raise an exception
654             return []
655         return self._fnct_search(obj, cr, uid, obj, name, args, context=context)
656
657     def get(self, cr, obj, ids, name, user=None, context=None, values=None):
658         if not context:
659             context = {}
660         if not values:
661             values = {}
662         res = {}
663         if self._method:
664             res = self._fnct(obj, cr, user, ids, name, self._arg, context)
665         else:
666             res = self._fnct(cr, obj._table, ids, name, self._arg, context)
667
668         if self._type == "many2one" :
669             # Filtering only integer/long values if passed
670             res_ids = [x for x in res.values() if x and isinstance(x, (int,long))]
671             
672             if res_ids:
673                 obj_model = obj.pool.get(self._obj)
674                 dict_names = dict(obj_model.name_get(cr, user, res_ids, context))
675                 for r in res.keys():
676                     if res[r] and res[r] in dict_names:
677                         res[r] = (res[r], dict_names[res[r]])
678             
679         if self._type == 'binary' and context.get('bin_size', False):
680             # convert the data returned by the function with the size of that data...
681             res = dict(map( get_nice_size, res.items()))
682         if self._type == "integer":
683             for r in res.keys():
684                 # Converting value into string so that it does not affect XML-RPC Limits
685                 res[r] = str(res[r])
686         return res
687     get_memory = get
688
689     def set(self, cr, obj, id, name, value, user=None, context=None):
690         if not context:
691             context = {}
692         if self._fnct_inv:
693             self._fnct_inv(obj, cr, user, id, name, value, self._fnct_inv_arg, context)
694     set_memory = set
695
696 # ---------------------------------------------------------
697 # Related fields
698 # ---------------------------------------------------------
699
700 class related(function):
701
702     def _fnct_search(self, tobj, cr, uid, obj=None, name=None, domain=None, context={}):
703         self._field_get2(cr, uid, obj, context)
704         i = len(self._arg)-1
705         sarg = name
706         while i>0:
707             if type(sarg) in [type([]), type( (1,) )]:
708                 where = [(self._arg[i], 'in', sarg)]
709             else:
710                 where = [(self._arg[i], '=', sarg)]
711             if domain:
712                 where = map(lambda x: (self._arg[i],x[1], x[2]), domain)
713                 domain = []
714             sarg = obj.pool.get(self._relations[i]['object']).search(cr, uid, where, context=context)
715             i -= 1
716         return [(self._arg[0], 'in', sarg)]
717
718     def _fnct_write(self,obj,cr, uid, ids, field_name, values, args, context=None):
719         if values and field_name:
720             self._field_get2(cr, uid, obj, context)
721             relation = obj._name
722             res = {}
723             if type(ids) != type([]):
724                 ids=[ids]
725             objlst = obj.browse(cr, uid, ids)
726             for data in objlst:
727                 t_id=None
728                 t_data = data
729                 relation = obj._name
730                 for i in range(len(self.arg)):
731                     field_detail = self._relations[i]
732                     relation = field_detail['object']
733                     if not t_data[self.arg[i]]:
734                         t_data = False
735                         break
736                     if field_detail['type'] in ('one2many', 'many2many'):
737                         if self._type != "many2one":
738                             t_id=t_data.id
739                             t_data = t_data[self.arg[i]][0]
740                     else:
741                         t_id=t_data['id']
742                         t_data = t_data[self.arg[i]]
743                 if t_id:
744                     obj.pool.get(field_detail['object']).write(cr,uid,[t_id],{args[-1]:values}, context=context)
745
746     def _fnct_read(self, obj, cr, uid, ids, field_name, args, context=None):
747         self._field_get2(cr, uid, obj, context)
748         if not ids: return {}
749         relation = obj._name
750         res = {}.fromkeys(ids, False)
751
752         objlst = obj.browse(cr, uid, ids, context=context)
753         for data in objlst:
754             if not data:
755                 continue
756             t_data = data
757             relation = obj._name
758             for i in range(len(self.arg)):
759                 field_detail = self._relations[i]
760                 relation = field_detail['object']
761                 try:
762                     if not t_data[self.arg[i]]:
763                         t_data = False
764                         break
765                 except:
766                     t_data = False
767                     break
768                 if field_detail['type'] in ('one2many', 'many2many') and i != len(self.arg) - 1:
769                     t_data = t_data[self.arg[i]][0]
770                 else:
771                     t_data = t_data[self.arg[i]]
772             if type(t_data) == type(objlst[0]):
773                 res[data.id] = t_data.id
774             else:
775                 res[data.id] = t_data
776
777         if self._type=='many2one':
778             ids = filter(None, res.values())
779             if ids:
780                 ng = dict(obj.pool.get(self._obj).name_get(cr, uid, ids, context=context))
781                 for r in res:
782                     if res[r]:
783                         res[r] = (res[r], ng[res[r]])
784         elif self._type in ('one2many', 'many2many'):
785             for r in res:
786                 if res[r]:
787                     res[r] = [x.id for x in res[r]]
788
789         return res
790
791     def __init__(self, *arg, **args):
792         self.arg = arg
793         self._relations = []
794         super(related, self).__init__(self._fnct_read, arg, self._fnct_write, fnct_inv_arg=arg, method=True, fnct_search=self._fnct_search, **args)
795         if self.store is True:
796             # TODO: improve here to change self.store = {...} according to related objects
797             pass
798
799     def _field_get2(self, cr, uid, obj, context={}):
800         if self._relations:
801             return
802         obj_name = obj._name
803         for i in range(len(self._arg)):
804             f = obj.pool.get(obj_name).fields_get(cr, uid, [self._arg[i]], context=context)[self._arg[i]]
805             self._relations.append({
806                 'object': obj_name,
807                 'type': f['type']
808
809             })
810             if f.get('relation',False):
811                 obj_name = f['relation']
812                 self._relations[-1]['relation'] = f['relation']
813
814 # ---------------------------------------------------------
815 # Dummy fields
816 # ---------------------------------------------------------
817
818 class dummy(function):
819     def _fnct_search(self, tobj, cr, uid, obj=None, name=None, domain=None, context={}):
820         return []
821
822     def _fnct_write(self,obj,cr, uid, ids, field_name, values, args, context=None):
823         return False
824
825     def _fnct_read(self, obj, cr, uid, ids, field_name, args, context=None):
826         return {}
827     
828     def __init__(self, *arg, **args):
829         self.arg = arg
830         self._relations = []
831         super(dummy, self).__init__(self._fnct_read, arg, self._fnct_write, fnct_inv_arg=arg, method=True, fnct_search=None, **args)
832
833 # ---------------------------------------------------------
834 # Serialized fields
835 # ---------------------------------------------------------
836 class serialized(_column):
837     def __init__(self, string='unknown', serialize_func=repr, deserialize_func=eval, type='text', **args):
838         self._serialize_func = serialize_func
839         self._deserialize_func = deserialize_func
840         self._type = type
841         self._symbol_set = (self._symbol_c, self._serialize_func)
842         self._symbol_get = self._deserialize_func
843         super(serialized, self).__init__(string=string, **args)
844
845
846 class property(function):
847
848     def _fnct_write(self, obj, cr, uid, id, prop, id_val, val, context=None):
849         if not context:
850             context = {}
851         (obj_dest,) = val
852         definition_id = self._field_get(cr, uid, obj._name, prop)
853
854         property = obj.pool.get('ir.property')
855         nid = property.search(cr, uid, [('fields_id', '=', definition_id),
856             ('res_id', '=', obj._name+','+str(id))])
857         while len(nid):
858             cr.execute('DELETE FROM ir_property WHERE id=%s', (nid.pop(),))
859
860         nid = property.search(cr, uid, [('fields_id', '=', definition_id),
861             ('res_id', '=', False)])
862         default_val = False
863         if nid:
864             default_val = property.browse(cr, uid, nid[0], context).value
865
866         company_id = obj.pool.get('res.company')._company_default_get(cr, uid, obj._name, prop, context=context)
867         res = False
868         if val[0]:
869             newval = (id_val and obj_dest+','+str(id_val)) or False
870         else:
871             newval = id_val or False
872         if (newval != default_val) and newval:
873             propdef = obj.pool.get('ir.model.fields').browse(cr, uid,
874                     definition_id, context=context)
875             res = property.create(cr, uid, {
876                 'name': propdef.name,
877                 'value': newval,
878                 'res_id': obj._name+','+str(id),
879                 'company_id': company_id,
880                 'fields_id': definition_id
881             }, context=context)
882         return res
883
884     def _fnct_read(self, obj, cr, uid, ids, prop, val, context=None):
885         if not context:
886             context = {}
887         property = obj.pool.get('ir.property')
888         definition_id = self._field_get(cr, uid, obj._name, prop)
889
890         nid = property.search(cr, uid, [('fields_id', '=', definition_id),
891             ('res_id', '=', False)])
892         default_val = False
893         if nid:
894             d = property.browse(cr, uid, nid[0], context).value
895             default_val = (d and int(d.split(',')[1])) or False
896
897         vids = [obj._name + ',' + str(id) for id in  ids]
898         nids = property.search(cr, uid, [('fields_id', '=', definition_id),
899             ('res_id', 'in', vids)])
900
901         res = {}
902         for id in ids:
903             res[id] = default_val
904         for prop in property.browse(cr, uid, nids):
905             if prop.value.find(',') >= 0:
906                 res[int(prop.res_id.split(',')[1])] = (prop.value and \
907                         int(prop.value.split(',')[1])) or False
908             else:
909                 res[int(prop.res_id.split(',')[1])] = prop.value or ''
910
911         if self._obj:
912             obj = obj.pool.get(self._obj)
913             to_check = res.values()
914             if default_val and default_val not in to_check:
915                 to_check += [default_val]
916             existing_ids = obj.search(cr, uid, [('id', 'in', to_check)])
917             for id, res_id in res.items():
918                 if res_id not in existing_ids:
919                     cr.execute('DELETE FROM ir_property WHERE value=%s', ((obj._name+','+str(res_id)),))
920                     res[id] = default_val
921             names = dict(obj.name_get(cr, uid, existing_ids, context))
922             for r in res.keys():
923                 if res[r] and res[r] in names:
924                     res[r] = (res[r], names[res[r]])
925                 else:
926                     res[r] = False
927         return res
928
929     def _field_get(self, cr, uid, model_name, prop):
930         if not self.field_id.get(cr.dbname):
931             cr.execute('SELECT id \
932                     FROM ir_model_fields \
933                     WHERE name=%s AND model=%s', (prop, model_name))
934             res = cr.fetchone()
935             self.field_id[cr.dbname] = res and res[0]
936         return self.field_id[cr.dbname]
937
938     def __init__(self, obj_prop, **args):
939         self.field_id = {}
940         function.__init__(self, self._fnct_read, False, self._fnct_write,
941                 (obj_prop, ), **args)
942
943     def restart(self):
944         self.field_id = {}
945
946
947 # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4:
948