Pārlūkot izejas kodu

Merge branch 'master' of https://github.com/tracim/tracim

PhilippeAccorsi 6 gadus atpakaļ
vecāks
revīzija
0b273787fe

+ 0 - 75
bin/setup.sh Parādīt failu

@@ -1,75 +0,0 @@
1
-#!/bin/bash
2
-
3
-POD_BIN_PATH=`dirname $0`
4
-POD_INSTALL_PATH=`dirname ${POD_BIN_PATH}`
5
-POD_INSTALL_FULL_PATH=`realpath ${POD_INSTALL_PATH}`
6
-
7
-echo $POD_BIN_PATH
8
-echo $POD_INSTALL_PATH
9
-echo $POD_INSTALL_FULL_PATH
10
-
11
-OLD_PATH=`pwd`
12
-
13
-
14
-cd ${POD_INSTALL_FULL_PATH}
15
-# virtualenv tg2env
16
-echo
17
-echo "-------------------------"
18
-echo "- initializes virtualenv"
19
-echo "-------------------------"
20
-echo "-> path:        tg2env/"
21
-echo "-> interpreter: python3"
22
-echo
23
-echo
24
-virtualenv -p /usr/bin/python3 tg2env
25
-
26
-echo
27
-echo
28
-echo "-------------------------"
29
-echo "- activates virtualenv"
30
-echo "-------------------------"
31
-source tg2env/bin/activate
32
-echo
33
-echo
34
-
35
-echo
36
-echo
37
-echo "-------------------------"
38
-echo "- installing turbogears"
39
-echo "-------------------------"
40
-pip install -f http://tg.gy/230 tg.devtools
41
-
42
-echo
43
-echo
44
-
45
-echo
46
-echo
47
-echo "-------------------------"
48
-echo "- install dependencies"
49
-echo "-------------------------"
50
-echo "-> psycopg2"
51
-echo "-> pillow"
52
-echo "-> beautifulsoup4"
53
-echo "-> tw.forms"
54
-echo "-> tgext.admin"
55
-pip install psycopg2
56
-pip install pillow
57
-pip install beautifulsoup4
58
-pip install tw.forms
59
-pip install tgext.admin
60
-echo
61
-echo
62
-
63
-echo
64
-echo
65
-echo "-------------------------"
66
-echo "- setup project"
67
-echo "-------------------------"
68
-cd pod/
69
-python setup.py develop
70
-echo
71
-echo
72
-
73
-
74
-
75
-cd ${OLD_PATH}

+ 2 - 2
gulpfile.js Parādīt failu

@@ -21,8 +21,8 @@ const _srcdir = 'tracim/tracim/public/assets/'
21 21
 const _tpldir = 'tracim/tracim/templates/'
22 22
 
23 23
 const listCssFiles = [
24
-  _srcdir + 'css/default_skin.css',
25
-  _srcdir + 'css/bootstrap.css',
24
+  // _srcdir + 'css/default_skin.css',
25
+  // _srcdir + 'css/bootstrap.css', // Côme - 2018/01/11 - removed to allow easier configuration of theme builder
26 26
   _srcdir + 'font-awesome-4.2.0/css/font-awesome.css',
27 27
   _srcdir + 'select2-4.0.3/css/select2.min.css',
28 28
   _srcdir + 'css/dashboard.css'

+ 1 - 0
install/requirements.txt Parādīt failu

@@ -68,3 +68,4 @@ click==6.7
68 68
 markdown==2.6.9
69 69
 email_reply_parser==0.5.9
70 70
 filelock==2.0.13
71
+imapclient==1.1.0

+ 3 - 0
tracim/development.ini.base Parādīt failu

@@ -222,6 +222,9 @@ email.reply.imap.user = your_imap_user
222 222
 email.reply.imap.password = your_imap_password
223 223
 email.reply.imap.folder = INBOX
224 224
 email.reply.imap.use_ssl = true
225
+email.reply.imap.use_idle = true
226
+# Re-new connection each 10 minutes
227
+email.reply.connection.max_lifetime = 600
225 228
 # Token for communication between mail fetcher and tracim controller
226 229
 email.reply.token = mysecuretoken
227 230
 # Delay in seconds between each check

+ 8 - 0
tracim/tracim/config/app_cfg.py Parādīt failu

@@ -384,6 +384,14 @@ class CFG(object):
384 384
         self.EMAIL_REPLY_IMAP_USE_SSL = asbool(tg.config.get(
385 385
             'email.reply.imap.use_ssl',
386 386
         ))
387
+        self.EMAIL_REPLY_IMAP_USE_IDLE = asbool(tg.config.get(
388
+            'email.reply.imap.use_idle',
389
+            True,
390
+        ))
391
+        self.EMAIL_REPLY_CONNECTION_MAX_LIFETIME = int(tg.config.get(
392
+            'email.reply.connection.max_lifetime',
393
+            600, # 10 minutes
394
+        ))
387 395
         self.EMAIL_REPLY_USE_HTML_PARSING = asbool(tg.config.get(
388 396
             'email.reply.use_html_parsing',
389 397
             True,

+ 3 - 1
tracim/tracim/lib/daemons.py Parādīt failu

@@ -173,7 +173,9 @@ class MailFetcherDaemon(Daemon):
173 173
             password=cfg.EMAIL_REPLY_IMAP_PASSWORD,
174 174
             use_ssl=cfg.EMAIL_REPLY_IMAP_USE_SSL,
175 175
             folder=cfg.EMAIL_REPLY_IMAP_FOLDER,
176
-            delay=cfg.EMAIL_REPLY_CHECK_HEARTBEAT,
176
+            heartbeat=cfg.EMAIL_REPLY_CHECK_HEARTBEAT,
177
+            use_idle=cfg.EMAIL_REPLY_IMAP_USE_IDLE,
178
+            connection_max_lifetime=cfg.EMAIL_REPLY_CONNECTION_MAX_LIFETIME,
177 179
             # FIXME - G.M - 2017-11-15 - proper tracim url formatting
178 180
             endpoint=cfg.WEBSITE_BASE_URL + "/events",
179 181
             token=cfg.EMAIL_REPLY_TOKEN,

+ 182 - 165
tracim/tracim/lib/email_fetcher.py Parādīt failu

@@ -1,9 +1,11 @@
1 1
 # -*- coding: utf-8 -*-
2 2
 
3 3
 import time
4
-import imaplib
5 4
 import json
6 5
 import typing
6
+import socket
7
+import ssl
8
+
7 9
 from email import message_from_bytes
8 10
 from email.header import decode_header
9 11
 from email.header import make_header
@@ -13,6 +15,8 @@ from email.utils import parseaddr
13 15
 import filelock
14 16
 import markdown
15 17
 import requests
18
+import imapclient
19
+
16 20
 from email_reply_parser import EmailReplyParser
17 21
 from tracim.lib.base import logger
18 22
 from tracim.lib.email_processing.parser import ParsedHTMLMail
@@ -22,9 +26,13 @@ TRACIM_SPECIAL_KEY_HEADER = 'X-Tracim-Key'
22 26
 CONTENT_TYPE_TEXT_PLAIN = 'text/plain'
23 27
 CONTENT_TYPE_TEXT_HTML = 'text/html'
24 28
 
25
-IMAP_SEEN_FLAG = '\\Seen'
26
-IMAP_CHECKED_FLAG = '\\Flagged'
29
+IMAP_SEEN_FLAG = imapclient.SEEN
30
+IMAP_CHECKED_FLAG = imapclient.FLAGGED
31
+
27 32
 MAIL_FETCHER_FILELOCK_TIMEOUT = 10
33
+MAIL_FETCHER_CONNECTION_TIMEOUT = 60*3
34
+MAIL_FETCHER_IDLE_RESPONSE_TIMEOUT = 60*9   # this should be not more
35
+# that 29 minutes according to rfc2177.(server wait 30min by default)
28 36
 
29 37
 
30 38
 class MessageContainer(object):
@@ -153,7 +161,9 @@ class MailFetcher(object):
153 161
         password: str,
154 162
         use_ssl: bool,
155 163
         folder: str,
156
-        delay: int,
164
+        use_idle: bool,
165
+        connection_max_lifetime: int,
166
+        heartbeat: int,
157 167
         endpoint: str,
158 168
         token: str,
159 169
         use_html_parsing: bool,
@@ -170,20 +180,25 @@ class MailFetcher(object):
170 180
         :param password: user password of mailbox
171 181
         :param use_ssl: use imap over ssl connection
172 182
         :param folder: mail folder where new mail are fetched
173
-        :param delay: seconds to wait before fetching new mail again
183
+        :param use_idle: use IMAP IDLE(server notification) when available
184
+        :param heartbeat: seconds to wait before fetching new mail again
185
+        :param connection_max_lifetime: maximum duration allowed for a
186
+             connection . connection are automatically renew when their
187
+             lifetime excess this duration.
174 188
         :param endpoint: tracim http endpoint where decoded mail are send.
175 189
         :param token: token to authenticate http connexion
176 190
         :param use_html_parsing: parse html mail
177 191
         :param use_txt_parsing: parse txt mail
178 192
         """
179
-        self._connection = None
180 193
         self.host = host
181 194
         self.port = port
182 195
         self.user = user
183 196
         self.password = password
184 197
         self.use_ssl = use_ssl
185 198
         self.folder = folder
186
-        self.delay = delay
199
+        self.heartbeat = heartbeat
200
+        self.use_idle = use_idle
201
+        self.connection_max_lifetime = connection_max_lifetime
187 202
         self.endpoint = endpoint
188 203
         self.token = token
189 204
         self.use_html_parsing = use_html_parsing
@@ -194,150 +209,201 @@ class MailFetcher(object):
194 209
     def run(self) -> None:
195 210
         logger.info(self, 'Starting MailFetcher')
196 211
         while self._is_active:
197
-            logger.debug(self, 'sleep for {}'.format(self.delay))
198
-            time.sleep(self.delay)
212
+            imapc = None
213
+            sleep_after_connection = True
199 214
             try:
200
-                self._connect()
201
-                with self.lock.acquire(
202
-                        timeout=MAIL_FETCHER_FILELOCK_TIMEOUT
203
-                ):
204
-                    messages = self._fetch()
205
-                cleaned_mails = [DecodedMail(m.message, m.uid)
206
-                                 for m in messages]
207
-                self._notify_tracim(cleaned_mails)
208
-                self._disconnect()
215
+                imapc = imapclient.IMAPClient(
216
+                    self.host,
217
+                    self.port,
218
+                    ssl=self.use_ssl,
219
+                    timeout=MAIL_FETCHER_CONNECTION_TIMEOUT
220
+                )
221
+                imapc.login(self.user, self.password)
222
+
223
+                logger.debug(self, 'Select folder {}'.format(
224
+                    self.folder,
225
+                ))
226
+                imapc.select_folder(self.folder)
227
+
228
+                # force renew connection when deadline is reached
229
+                deadline = time.time() + self.connection_max_lifetime
230
+                while True:
231
+                    if not self._is_active:
232
+                        logger.warning(self, 'Mail Fetcher process aborted')
233
+                        sleep_after_connection = False
234
+                        break
235
+
236
+                    if time.time() > deadline:
237
+                        logger.debug(
238
+                            self,
239
+                            "MailFetcher Connection Lifetime limit excess"
240
+                            ", Try Re-new connection")
241
+                        sleep_after_connection = False
242
+                        break
243
+
244
+                    # check for new mails
245
+                    self._check_mail(imapc)
246
+
247
+                    if self.use_idle and imapc.has_capability('IDLE'):
248
+                        # IDLE_mode wait until event from server
249
+                        logger.debug(self, 'wail for event(IDLE)')
250
+                        imapc.idle()
251
+                        imapc.idle_check(
252
+                            timeout=MAIL_FETCHER_IDLE_RESPONSE_TIMEOUT
253
+                        )
254
+                        imapc.idle_done()
255
+                    else:
256
+                        if self.use_idle and not imapc.has_capability('IDLE'):
257
+                            log = 'IDLE mode activated but server do not' \
258
+                                  'support it, use polling instead.'
259
+                            logger.warning(self, log)
260
+                        # normal polling mode : sleep a define duration
261
+                        logger.debug(self,
262
+                                     'sleep for {}'.format(self.heartbeat))
263
+                        time.sleep(self.heartbeat)
264
+
265
+            # Socket
266
+            except (socket.error,
267
+                    socket.gaierror,
268
+                    socket.herror) as e:
269
+                log = 'Socket fail with IMAP connection {}'
270
+                logger.error(self, log.format(e.__str__()))
271
+
272
+            except socket.timeout as e:
273
+                log = 'Socket timeout on IMAP connection {}'
274
+                logger.error(self, log.format(e.__str__()))
275
+
276
+            # SSL
277
+            except ssl.SSLError as e:
278
+                log = 'SSL error on IMAP connection'
279
+                logger.error(self, log.format(e.__str__()))
280
+
281
+            except ssl.CertificateError as e:
282
+                log = 'SSL Certificate verification failed on IMAP connection'
283
+                logger.error(self, log.format(e.__str__()))
284
+
285
+            # Filelock
209 286
             except filelock.Timeout as e:
210 287
                 log = 'Mail Fetcher Lock Timeout {}'
211 288
                 logger.warning(self, log.format(e.__str__()))
289
+
290
+            # IMAP
291
+            # TODO - G.M - 10-01-2017 - Support imapclient exceptions
292
+            # when Imapclient stable will be 2.0+
293
+
294
+            # Others
212 295
             except Exception as e:
213
-                # TODO - G.M - 2017-11-23 - Identify possible exceptions
214
-                log = 'IMAP error: {}'
215
-                logger.warning(self, log.format(e.__str__()))
296
+                log = 'Mail Fetcher error {}'
297
+                logger.error(self, log.format(e.__str__()))
298
+
299
+            finally:
300
+                # INFO - G.M - 2018-01-09 - Connection closing
301
+                # Properly close connection according to
302
+                # https://github.com/mjs/imapclient/pull/279/commits/043e4bd0c5c775c5a08cb5f1baa93876a46732ee
303
+                # TODO : Use __exit__ method instead when imapclient stable will
304
+                # be 2.0+ .
305
+                if imapc:
306
+                    logger.debug(self, 'Try logout')
307
+                    try:
308
+                        imapc.logout()
309
+                    except Exception:
310
+                        try:
311
+                            imapc.shutdown()
312
+                        except Exception as e:
313
+                            log = "Can't logout, connection broken ? {}"
314
+                            logger.error(self, log.format(e.__str__()))
315
+
316
+            if sleep_after_connection:
317
+                logger.debug(self, 'sleep for {}'.format(self.heartbeat))
318
+                time.sleep(self.heartbeat)
319
+
320
+        log = 'Mail Fetcher stopped'
321
+        logger.debug(self, log)
322
+
323
+    def _check_mail(self, imapc: imapclient.IMAPClient) -> None:
324
+        with self.lock.acquire(
325
+                timeout=MAIL_FETCHER_FILELOCK_TIMEOUT
326
+        ):
327
+            messages = self._fetch(imapc)
328
+            cleaned_mails = [DecodedMail(m.message, m.uid)
329
+                             for m in messages]
330
+            self._notify_tracim(cleaned_mails, imapc)
216 331
 
217 332
     def stop(self) -> None:
218 333
         self._is_active = False
219 334
 
220
-    def _connect(self) -> None:
221
-        # TODO - G.M - 2017-11-15 Verify connection/disconnection
222
-        # Are old connexion properly close this way ?
223
-        if self._connection:
224
-            logger.debug(self, 'Disconnect from IMAP')
225
-            self._disconnect()
226
-        # TODO - G.M - 2017-11-23 Support for predefined SSLContext ?
227
-        # without ssl_context param, tracim use default security configuration
228
-        # which is great in most case.
229
-        if self.use_ssl:
230
-            logger.debug(self, 'Connect IMAP {}:{} using SSL'.format(
231
-                self.host,
232
-                self.port,
233
-            ))
234
-            self._connection = imaplib.IMAP4_SSL(self.host, self.port)
235
-        else:
236
-            logger.debug(self, 'Connect IMAP {}:{}'.format(
237
-                self.host,
238
-                self.port,
239
-            ))
240
-            self._connection = imaplib.IMAP4(self.host, self.port)
241
-
242
-        try:
243
-            logger.debug(self, 'Login IMAP with login {}'.format(
244
-                self.user,
245
-            ))
246
-            self._connection.login(self.user, self.password)
247
-        except Exception as e:
248
-            log = 'Error during execution: {}'
249
-            logger.error(self, log.format(e.__str__()), exc_info=1)
250
-
251
-    def _disconnect(self) -> None:
252
-        if self._connection:
253
-            self._connection.close()
254
-            self._connection.logout()
255
-            self._connection = None
256
-
257
-    def _fetch(self) -> typing.List[MessageContainer]:
335
+    def _fetch(
336
+        self, 
337
+        imapc: imapclient.IMAPClient,
338
+    ) -> typing.List[MessageContainer]:
258 339
         """
259 340
         Get news message from mailbox
260 341
         :return: list of new mails
261 342
         """
262 343
         messages = []
263
-        # select mailbox
264
-        logger.debug(self, 'Fetch messages from folder {}'.format(
265
-            self.folder,
344
+
345
+        logger.debug(self, 'Fetch unseen messages')
346
+        uids = imapc.search(['UNSEEN'])
347
+        logger.debug(self, 'Found {} unseen mails'.format(
348
+            len(uids),
266 349
         ))
267
-        rv, data = self._connection.select(self.folder)
268
-        logger.debug(self, 'Response status {}'.format(
269
-            rv,
350
+        imapc.add_flags(uids, IMAP_SEEN_FLAG)
351
+        logger.debug(self, 'Temporary Flag {} mails as seen'.format(
352
+            len(uids),
270 353
         ))
271
-        if rv == 'OK':
272
-            # get mails
273
-            # TODO - G.M -  2017-11-15 Which files to select as new file ?
274
-            # Unseen file or All file from a directory (old one should be
275
-            #  moved/ deleted from mailbox during this process) ?
276
-            logger.debug(self, 'Fetch unseen messages')
277
-
278
-            rv, data = self._connection.search(None, "(UNSEEN)")
279
-            logger.debug(self, 'Response status {}'.format(
280
-                rv,
354
+        for msgid, data in imapc.fetch(uids, ['BODY.PEEK[]']).items():
355
+            # INFO - G.M - 2017-12-08 - Fetch BODY.PEEK[]
356
+            # Retrieve all mail(body and header) but don't set mail
357
+            # as seen because of PEEK
358
+            # see rfc3501
359
+            logger.debug(self, 'Fetch mail "{}"'.format(
360
+                msgid,
281 361
             ))
282
-            if rv == 'OK':
283
-                # get mail content
284
-                logger.debug(self, 'Found {} unseen mails'.format(
285
-                    len(data[0].split()),
286
-                ))
287
-                for uid in data[0].split():
288
-                    # INFO - G.M - 2017-12-08 - Fetch BODY.PEEK[]
289
-                    # Retrieve all mail(body and header) but don't set mail
290
-                    # as seen because of PEEK
291
-                    # see rfc3501
292
-                    logger.debug(self, 'Fetch mail "{}"'.format(
293
-                        uid,
294
-                    ))
295
-                    rv, data = self._connection.fetch(uid, 'BODY.PEEK[]')
296
-                    logger.debug(self, 'Response status {}'.format(
297
-                        rv,
298
-                    ))
299
-                    if rv == 'OK':
300
-                        msg = message_from_bytes(data[0][1])
301
-                        msg_container = MessageContainer(msg, uid)
302
-                        messages.append(msg_container)
303
-                        self._set_flag(uid, IMAP_SEEN_FLAG)
304
-                    else:
305
-                        log = 'IMAP : Unable to get mail : {}'
306
-                        logger.error(self, log.format(str(rv)))
307
-            else:
308
-                log = 'IMAP : Unable to get unseen mail : {}'
309
-                logger.error(self, log.format(str(rv)))
310
-        else:
311
-            log = 'IMAP : Unable to open mailbox : {}'
312
-            logger.error(self, log.format(str(rv)))
362
+            msg = message_from_bytes(data[b'BODY[]'])
363
+            msg_container = MessageContainer(msg, msgid)
364
+            messages.append(msg_container)
313 365
         return messages
314 366
 
315 367
     def _notify_tracim(
316 368
         self,
317 369
         mails: typing.List[DecodedMail],
370
+        imapc: imapclient.IMAPClient
318 371
     ) -> None:
319 372
         """
320 373
         Send http request to tracim endpoint
321 374
         :param mails: list of mails to send
322
-        :return: unsended mails
375
+        :return: none
323 376
         """
324 377
         logger.debug(self, 'Notify tracim about {} new responses'.format(
325 378
             len(mails),
326 379
         ))
327
-        unsended_mails = []
328 380
         # TODO BS 20171124: Look around mail.get_from_address(), mail.get_key()
329 381
         # , mail.get_body() etc ... for raise InvalidEmailError if missing
330 382
         #  required informations (actually get_from_address raise IndexError
331 383
         #  if no from address for example) and catch it here
332 384
         while mails:
333 385
             mail = mails.pop()
386
+            body =  mail.get_body(
387
+                use_html_parsing=self.use_html_parsing,
388
+                use_txt_parsing=self.use_txt_parsing,
389
+            )
390
+            from_address = mail.get_from_address()
391
+
392
+            # don't create element for 'empty' mail
393
+            if not body:
394
+                logger.warning(
395
+                    self,
396
+                    'Mail from {} has not valable content'.format(
397
+                        from_address
398
+                    ),
399
+                )
400
+                continue
401
+
334 402
             msg = {'token': self.token,
335
-                   'user_mail': mail.get_from_address(),
403
+                   'user_mail': from_address,
336 404
                    'content_id': mail.get_key(),
337 405
                    'payload': {
338
-                       'content': mail.get_body(
339
-                           use_html_parsing=self.use_html_parsing,
340
-                           use_txt_parsing=self.use_txt_parsing),
406
+                       'content': body,
341 407
                    }}
342 408
             try:
343 409
                 logger.debug(
@@ -357,64 +423,15 @@ class MailFetcher(object):
357 423
                     ))
358 424
                 # Flag all correctly checked mail, unseen the others
359 425
                 if r.status_code in [200, 204, 400]:
360
-                    self._set_flag(mail.uid, IMAP_CHECKED_FLAG)
426
+                    imapc.add_flags((mail.uid,), IMAP_CHECKED_FLAG)
361 427
                 else:
362
-                    self._unset_flag(mail.uid, IMAP_SEEN_FLAG)
428
+                    imapc.remove_flags((mail.uid,), IMAP_SEEN_FLAG)
363 429
             # TODO - G.M - Verify exception correctly works
364 430
             except requests.exceptions.Timeout as e:
365 431
                 log = 'Timeout error to transmit fetched mail to tracim : {}'
366 432
                 logger.error(self, log.format(str(e)))
367
-                unsended_mails.append(mail)
368
-                self._unset_flag(mail.uid, IMAP_SEEN_FLAG)
433
+                imapc.remove_flags((mail.uid,), IMAP_SEEN_FLAG)
369 434
             except requests.exceptions.RequestException as e:
370 435
                 log = 'Fail to transmit fetched mail to tracim : {}'
371 436
                 logger.error(self, log.format(str(e)))
372
-                self._unset_flag(mail.uid, IMAP_SEEN_FLAG)
373
-
374
-    def _set_flag(
375
-            self,
376
-            uid: int,
377
-            flag: str,
378
-            ) -> None:
379
-        assert uid is not None
380
-
381
-        rv, data = self._connection.store(
382
-            uid,
383
-            '+FLAGS',
384
-            flag,
385
-        )
386
-        if rv == 'OK':
387
-            log = 'Message {uid} set as {flag}.'.format(
388
-                uid=uid,
389
-                flag=flag)
390
-            logger.debug(self, log)
391
-        else:
392
-            log = 'Can not set Message {uid} as {flag} : {rv}'.format(
393
-                uid=uid,
394
-                flag=flag,
395
-                rv=rv)
396
-            logger.error(self, log)
397
-
398
-    def _unset_flag(
399
-            self,
400
-            uid: int,
401
-            flag: str,
402
-            ) -> None:
403
-        assert uid is not None
404
-
405
-        rv, data = self._connection.store(
406
-            uid,
407
-            '-FLAGS',
408
-            flag,
409
-        )
410
-        if rv == 'OK':
411
-            log = 'Message {uid} unset as {flag}.'.format(
412
-                uid=uid,
413
-                flag=flag)
414
-            logger.debug(self, log)
415
-        else:
416
-            log = 'Can not unset Message {uid} as {flag} : {rv}'.format(
417
-                uid=uid,
418
-                flag=flag,
419
-                rv=rv)
420
-            logger.error(self, log)
437
+                imapc.remove_flags((mail.uid,), IMAP_SEEN_FLAG)

+ 2 - 1
tracim/tracim/lib/email_processing/models.py Parādīt failu

@@ -109,7 +109,8 @@ class HtmlBodyMailParts(BodyMailParts):
109 109
         if len(self._list) > 0:
110 110
             txt = BeautifulSoup(value.text, 'html.parser').get_text()
111 111
             txt = txt.replace('\n', '').strip()
112
-            if not txt:
112
+            img = BeautifulSoup(value.text, 'html.parser').find('img')
113
+            if not txt and not img:
113 114
                 value.part_type = self._list[-1].part_type
114 115
         BodyMailParts._check_value(value)
115 116
         BodyMailParts._append(self, value)

+ 25 - 38
tracim/tracim/lib/email_processing/sanitizer.py Parādīt failu

@@ -1,42 +1,19 @@
1
+import typing
1 2
 from bs4 import BeautifulSoup, Tag
2
-
3
+from tracim.lib.email_processing.sanitizer_config.attrs_whitelist import ATTRS_WHITELIST  # nopep8
4
+from tracim.lib.email_processing.sanitizer_config.class_blacklist import CLASS_BLACKLIST  # nopep8
5
+from tracim.lib.email_processing.sanitizer_config.id_blacklist import ID_BLACKLIST  # nopep8
6
+from tracim.lib.email_processing.sanitizer_config.tag_blacklist import TAG_BLACKLIST  # nopep8
7
+from tracim.lib.email_processing.sanitizer_config.tag_whitelist import TAG_WHITELIST  # nopep8
3 8
 
4 9
 class HtmlSanitizerConfig(object):
5
-    # some Default_html_tags type
6
-    HTML_Heading_tag = ['h1', 'h2', 'h3', 'h4', 'h5', 'h6']
7
-    HTML_Text_parts_tag = ['p',
8
-                           'br', 'hr',
9
-                           'pre', 'code', 'samp',  # preformatted content
10
-                           'q', 'blockquote',  # quotes
11
-                           ]
12
-    HTML_Text_format_tag = ['b', 'i', 'u', 'small', 'sub', 'sup', ]
13
-    HTML_Text_semantic_tag = ['strong', 'em',
14
-                              'mark', 'cite', 'dfn',
15
-                              'del', 'ins', ]
16
-    HTML_Table_tag = ['table',
17
-                      'thead', 'tfoot', 'tbody',
18
-                      'tr', 'td', 'caption', ]
19
-
20
-    HTML_List_tag = ['ul', 'li', 'ol',  # simple list
21
-                     'dl', 'dt', 'dd', ]  # definition list
22
-
23
-    # Rules
24
-    Tag_whitelist = HTML_Heading_tag \
25
-                    + HTML_Text_parts_tag \
26
-                    + HTML_Text_format_tag \
27
-                    + HTML_Text_semantic_tag \
28
-                    + HTML_Table_tag \
29
-                    + HTML_List_tag
30
-
31
-    Tag_blacklist = ['script', 'style']
32
-
33
-    # TODO - G.M - 2017-12-01 - Think about removing class/id Blacklist
34
-    # These elements are no longer required.
35
-    Class_blacklist = []
36
-    Id_blacklist = []
37
-
38
-    Attrs_whitelist = ['href']
39
-
10
+    # whitelist : keep tag and content
11
+    Tag_whitelist = TAG_WHITELIST
12
+    Attrs_whitelist = ATTRS_WHITELIST
13
+    # blacklist : remove content
14
+    Tag_blacklist = TAG_BLACKLIST
15
+    Class_blacklist = CLASS_BLACKLIST
16
+    Id_blacklist = ID_BLACKLIST
40 17
 
41 18
 class HtmlSanitizer(object):
42 19
     """
@@ -50,7 +27,7 @@ class HtmlSanitizer(object):
50 27
     """
51 28
 
52 29
     @classmethod
53
-    def sanitize(cls, html_body: str) -> str:
30
+    def sanitize(cls, html_body: str) -> typing.Optional[str]:
54 31
         soup = BeautifulSoup(html_body, 'html.parser')
55 32
         for tag in soup.findAll():
56 33
             if cls._tag_to_extract(tag):
@@ -62,7 +39,17 @@ class HtmlSanitizer(object):
62 39
                         del tag.attrs[attr]
63 40
             else:
64 41
                 tag.unwrap()
65
-        return str(soup)
42
+
43
+        if cls._is_content_empty(soup):
44
+            return None
45
+        else:
46
+            return str(soup)
47
+
48
+    @classmethod
49
+    def _is_content_empty(cls, soup):
50
+        img = soup.find('img')
51
+        txt = soup.get_text().replace('\n', '').strip()
52
+        return (not img and not txt)
66 53
 
67 54
     @classmethod
68 55
     def _tag_to_extract(cls, tag: Tag) -> bool:

+ 1 - 0
tracim/tracim/lib/email_processing/sanitizer_config/attrs_whitelist.py Parādīt failu

@@ -0,0 +1 @@
1
+ATTRS_WHITELIST = ['href']

+ 1 - 0
tracim/tracim/lib/email_processing/sanitizer_config/class_blacklist.py Parādīt failu

@@ -0,0 +1 @@
1
+CLASS_BLACKLIST =  []

+ 1 - 0
tracim/tracim/lib/email_processing/sanitizer_config/id_blacklist.py Parādīt failu

@@ -0,0 +1 @@
1
+ID_BLACKLIST = []

+ 1 - 0
tracim/tracim/lib/email_processing/sanitizer_config/tag_blacklist.py Parādīt failu

@@ -0,0 +1 @@
1
+TAG_BLACKLIST = ['script', 'style']

+ 16 - 0
tracim/tracim/lib/email_processing/sanitizer_config/tag_whitelist.py Parādīt failu

@@ -0,0 +1,16 @@
1
+TAG_WHITELIST = [
2
+    'b', 'blockquote', 'br',
3
+    'caption', 'cite', 'code',
4
+    'dd', 'del', 'dfn', 'dl', 'dt',
5
+    'em',
6
+    'h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'hr',
7
+    'i', 'img', 'ins',
8
+    'li',
9
+    'mark',
10
+    'ol',
11
+    'p', 'pre',
12
+    'q',
13
+    'samp', 'small', 'strong', 'sub', 'sup',
14
+    'table', 'tbody', 'td', 'tfoot', 'thead', 'tr',
15
+    'u', 'ul'
16
+]

+ 3 - 13
tracim/tracim/model/data.py Parādīt failu

@@ -1111,16 +1111,6 @@ class Content(DeclarativeBase):
1111 1111
         self._properties = json.dumps(properties_struct)
1112 1112
         ContentChecker.check_properties(self)
1113 1113
 
1114
-    @property
1115
-    def clean_revisions(self):
1116
-        """
1117
-        This property return revisions with really only one of each revisions:
1118
-        Actually, .revisions list give duplicated last revision,
1119
-        see https://github.com/tracim/tracim/issues/126
1120
-        :return: list of revisions
1121
-        """
1122
-        return list(set(self.revisions))
1123
-
1124 1114
     def created_as_delta(self, delta_from_datetime:datetime=None):
1125 1115
         if not delta_from_datetime:
1126 1116
             delta_from_datetime = datetime.utcnow()
@@ -1213,13 +1203,13 @@ class Content(DeclarativeBase):
1213 1203
         return last_comment
1214 1204
 
1215 1205
     def get_previous_revision(self) -> 'ContentRevisionRO':
1216
-        rev_ids = [revision.revision_id for revision in self.clean_revisions]
1206
+        rev_ids = [revision.revision_id for revision in self.revisions]
1217 1207
         rev_ids.sort()
1218 1208
 
1219 1209
         if len(rev_ids)>=2:
1220 1210
             revision_rev_id = rev_ids[-2]
1221 1211
 
1222
-            for revision in self.clean_revisions:
1212
+            for revision in self.revisions:
1223 1213
                 if revision.revision_id == revision_rev_id:
1224 1214
                     return revision
1225 1215
 
@@ -1248,7 +1238,7 @@ class Content(DeclarativeBase):
1248 1238
         events = []
1249 1239
         for comment in self.get_comments():
1250 1240
             events.append(VirtualEvent.create_from_content(comment))
1251
-        for revision in self.clean_revisions:
1241
+        for revision in self.revisions:
1252 1242
             events.append(VirtualEvent.create_from_content_revision(revision))
1253 1243
 
1254 1244
         sorted_events = sorted(events,

+ 2 - 0
tracim/tracim/templates/master_anonymous.mak Parādīt failu

@@ -11,6 +11,8 @@
11 11
         <meta name="author" content="">
12 12
         <link rel="icon" href="/favicon.ico">
13 13
 
14
+        <link href="${tg.url('/assets/css/default_skin.css')}" rel="stylesheet">
15
+        <link href="${tg.url('/assets/css/bootstrap.css')}" rel="stylesheet">
14 16
         <link href="${tg.url('/assets/dist/all.css')}" rel="stylesheet">
15 17
 
16 18
         <script>

+ 2 - 0
tracim/tracim/templates/master_authenticated.mak Parādīt failu

@@ -12,6 +12,8 @@
12 12
         <meta name="author" content="">
13 13
         <link rel="icon" href="/favicon.ico">
14 14
 
15
+        <link href="${tg.url('/assets/css/default_skin.css')}" rel="stylesheet">
16
+        <link href="${tg.url('/assets/css/bootstrap.css')}" rel="stylesheet">
15 17
         <link href="${tg.url('/assets/dist/all.css')}" rel="stylesheet">
16 18
 
17 19
         <script>

+ 0 - 20
update.sh Parādīt failu

@@ -1,20 +0,0 @@
1
-#!/bin/bash
2
-user="root"
3
-command="npm install \
4
-&& gulp prod"
5
-echo "############################################################################"
6
-echo "############################################################################"
7
-echo "## "
8
-echo "## UPDATE ----------"
9
-echo "## "
10
-echo "##" `date` Execute as $user: $command
11
-echo "## "
12
-echo "## "
13
-echo "############################################################################"
14
-if ! command -v npm >/dev/null; then
15
-  echo ""
16
-  echo "/!\ npm doesn't seem to be installed. Aborting."
17
-  echo ""
18
-  exit 1
19
-fi
20
-sudo -u $user -- bash -c "$command"