Merge pull request #836 from odoo-dev/master-hashchange-fix-csn
[odoo/odoo.git] / addons / website_blog / models / website_blog.py
1 # -*- coding: utf-8 -*-
2
3 from datetime import datetime
4 import difflib
5 import lxml
6 import random
7
8 from openerp import tools
9 from openerp import SUPERUSER_ID
10 from openerp.osv import osv, fields
11 from openerp.tools.translate import _
12
13
14 class Blog(osv.Model):
15     _name = 'blog.blog'
16     _description = 'Blogs'
17     _inherit = ['mail.thread', 'website.seo.metadata']
18     _order = 'name'
19     _columns = {
20         'name': fields.char('Blog Name', required=True),
21         'subtitle': fields.char('Blog Subtitle'),
22         'description': fields.text('Description'),
23     }
24
25
26 class BlogTag(osv.Model):
27     _name = 'blog.tag'
28     _description = 'Blog Tag'
29     _inherit = ['website.seo.metadata']
30     _order = 'name'
31     _columns = {
32         'name': fields.char('Name', required=True),
33     }
34
35
36 class BlogPost(osv.Model):
37     _name = "blog.post"
38     _description = "Blog Post"
39     _inherit = ['mail.thread', 'website.seo.metadata']
40     _order = 'id DESC'
41
42     def _compute_ranking(self, cr, uid, ids, name, arg, context=None):
43         res = {}
44         for blog_post in self.browse(cr, uid, ids, context=context):
45             age = datetime.now() - datetime.strptime(blog_post.create_date, tools.DEFAULT_SERVER_DATETIME_FORMAT)
46             res[blog_post.id] = blog_post.visits * (0.5+random.random()) / max(3, age.days)
47         return res
48
49     _columns = {
50         'name': fields.char('Title', required=True, translate=True),
51         'subtitle': fields.char('Sub Title', translate=True),
52         'author_id': fields.many2one('res.partner', 'Author'),
53         'background_image': fields.binary('Background Image', oldname='content_image'),
54         'blog_id': fields.many2one(
55             'blog.blog', 'Blog',
56             required=True, ondelete='cascade',
57         ),
58         'tag_ids': fields.many2many(
59             'blog.tag', string='Tags',
60         ),
61         'content': fields.html('Content', translate=True),
62         # website control
63         'website_published': fields.boolean(
64             'Publish', help="Publish on the website"
65         ),
66         'website_message_ids': fields.one2many(
67             'mail.message', 'res_id',
68             domain=lambda self: [
69                 '&', '&', ('model', '=', self._name), ('type', '=', 'comment'), ('path', '=', False)
70             ],
71             string='Website Messages',
72             help="Website communication history",
73         ),
74         'history_ids': fields.one2many(
75             'blog.post.history', 'post_id',
76             'History', help='Last post modifications',
77         ),
78         # creation / update stuff
79         'create_date': fields.datetime(
80             'Created on',
81             select=True, readonly=True,
82         ),
83         'create_uid': fields.many2one(
84             'res.users', 'Author',
85             select=True, readonly=True,
86         ),
87         'write_date': fields.datetime(
88             'Last Modified on',
89             select=True, readonly=True,
90         ),
91         'write_uid': fields.many2one(
92             'res.users', 'Last Contributor',
93             select=True, readonly=True,
94         ),
95         'visits': fields.integer('No of Views'),
96         'ranking': fields.function(_compute_ranking, string='Ranking', type='float'),
97     }
98
99     _defaults = {
100         'name': _('Blog Post Title'),
101         'subtitle': _('Subtitle'),
102         'author_id': lambda self, cr, uid, ctx=None: self.pool['res.users'].browse(cr, uid, uid, context=ctx).partner_id.id,
103     }
104
105     def html_tag_nodes(self, html, attribute=None, tags=None, context=None):
106         """ Processing of html content to tag paragraphs and set them an unique
107         ID.
108         :return result: (html, mappin), where html is the updated html with ID
109                         and mapping is a list of (old_ID, new_ID), where old_ID
110                         is None is the paragraph is a new one. """
111         mapping = []
112         if not html:
113             return html, mapping
114         if tags is None:
115             tags = ['p']
116         if attribute is None:
117             attribute = 'data-unique-id'
118         counter = 0
119
120         # form a tree
121         root = lxml.html.fragment_fromstring(html, create_parent='div')
122         if not len(root) and root.text is None and root.tail is None:
123             return html, mapping
124
125         # check all nodes, replace :
126         # - img src -> check URL
127         # - a href -> check URL
128         for node in root.iter():
129             if not node.tag in tags:
130                 continue
131             ancestor_tags = [parent.tag for parent in node.iterancestors()]
132             if ancestor_tags:
133                 ancestor_tags.pop()
134             ancestor_tags.append('counter_%s' % counter)
135             new_attribute = '/'.join(reversed(ancestor_tags))
136             old_attribute = node.get(attribute)
137             node.set(attribute, new_attribute)
138             mapping.append((old_attribute, counter))
139             counter += 1
140
141         html = lxml.html.tostring(root, pretty_print=False, method='html')
142         # this is ugly, but lxml/etree tostring want to put everything in a 'div' that breaks the editor -> remove that
143         if html.startswith('<div>') and html.endswith('</div>'):
144             html = html[5:-6]
145         return html, mapping
146
147     def _postproces_content(self, cr, uid, id, content=None, context=None):
148         if content is None:
149             content = self.browse(cr, uid, id, context=context).content
150         if content is False:
151             return content
152         content, mapping = self.html_tag_nodes(content, attribute='data-chatter-id', tags=['p'], context=context)
153         for old_attribute, new_attribute in mapping:
154             if not old_attribute:
155                 continue
156             msg_ids = self.pool['mail.message'].search(cr, SUPERUSER_ID, [('path', '=', old_attribute)], context=context)
157             self.pool['mail.message'].write(cr, SUPERUSER_ID, msg_ids, {'path': new_attribute}, context=context)
158         return content
159
160     def create_history(self, cr, uid, ids, vals, context=None):
161         for i in ids:
162             history = self.pool.get('blog.post.history')
163             if vals.get('content'):
164                 res = {
165                     'content': vals.get('content', ''),
166                     'post_id': i,
167                 }
168                 history.create(cr, uid, res)
169
170     def create(self, cr, uid, vals, context=None):
171         if context is None:
172             context = {}
173         if 'content' in vals:
174             vals['content'] = self._postproces_content(cr, uid, None, vals['content'], context=context)
175         create_context = dict(context, mail_create_nolog=True)
176         post_id = super(BlogPost, self).create(cr, uid, vals, context=create_context)
177         self.create_history(cr, uid, [post_id], vals, context)
178         return post_id
179
180     def write(self, cr, uid, ids, vals, context=None):
181         if 'content' in vals:
182             vals['content'] = self._postproces_content(cr, uid, None, vals['content'], context=context)
183         result = super(BlogPost, self).write(cr, uid, ids, vals, context)
184         self.create_history(cr, uid, ids, vals, context)
185         return result
186
187     def copy(self, cr, uid, id, default=None, context=None):
188         if default is None:
189             default = {}
190         default.update({
191             'website_message_ids': [],
192             'website_published': False,
193             'website_published_datetime': False,
194         })
195         return super(BlogPost, self).copy(cr, uid, id, default=default, context=context)
196
197
198 class BlogPostHistory(osv.Model):
199     _name = "blog.post.history"
200     _description = "Blog Post History"
201     _order = 'id DESC'
202     _rec_name = "create_date"
203
204     _columns = {
205         'post_id': fields.many2one('blog.post', 'Blog Post'),
206         'summary': fields.char('Summary', select=True),
207         'content': fields.text("Content"),
208         'create_date': fields.datetime("Date"),
209         'create_uid': fields.many2one('res.users', "Modified By"),
210     }
211
212     def getDiff(self, cr, uid, v1, v2, context=None):
213         history_pool = self.pool.get('blog.post.history')
214         text1 = history_pool.read(cr, uid, [v1], ['content'])[0]['content']
215         text2 = history_pool.read(cr, uid, [v2], ['content'])[0]['content']
216         line1 = line2 = ''
217         if text1:
218             line1 = text1.splitlines(1)
219         if text2:
220             line2 = text2.splitlines(1)
221         if (not line1 and not line2) or (line1 == line2):
222             raise osv.except_osv(_('Warning!'), _('There are no changes in revisions.'))
223         diff = difflib.HtmlDiff()
224         return diff.make_table(line1, line2, "Revision-%s" % (v1), "Revision-%s" % (v2), context=True)