##// END OF EJS Templates
Updated changelog
Updated changelog

File last commit:

r944:6ed17cb6 default
r947:0e9773ce default
Show More
post.py
451 lines | 13.8 KiB | text/x-python | PythonLexer
neko259
Optimized getting current date in PPD calculation
r586 from datetime import datetime, timedelta, date
neko259
Show posts per
r407 from datetime import time as dtime
neko259
Added some logging
r639 import logging
neko259
Split up user models
r386 import re
neko259
Added image duplicate check
r527
neko259
Removed django-markupfield as it is incompatible with the new migrations. Use 2 fields for storing raw and rendered text and work with them directly
r881 from adjacent import Client
neko259
Use cache for PPD value
r410 from django.core.cache import cache
neko259
Added post url caching to cache post replies and id urls
r589 from django.core.urlresolvers import reverse
neko259
Added post admin page with tags edit capability
r566 from django.db import models, transaction
neko259
Removed django-markupfield as it is incompatible with the new migrations. Use 2 fields for storing raw and rendered text and work with them directly
r881 from django.db.models import TextField
neko259
Added tag search. Refactored search to show any model results in a list.
r692 from django.template.loader import render_to_string
neko259
Moved models to a separate module folder. Starting to split up models file
r384 from django.utils import timezone
neko259
Removed django-markupfield as it is incompatible with the new migrations. Use 2 fields for storing raw and rendered text and work with them directly
r881
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853 from boards import settings
neko259
Removed django-markupfield as it is incompatible with the new migrations. Use 2 fields for storing raw and rendered text and work with them directly
r881 from boards.mdx_neboard import bbcode_extended
neko259
Moved post image to a separate model. Each post (as of model) can contain multiple images now. The image shown to the user is got with get_first_image method
r693 from boards.models import PostImage
neko259
Added tag search. Refactored search to show any model results in a list.
r692 from boards.models.base import Viewable
neko259
Moved thread model to a separate module
r691 from boards.models.thread import Thread
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853 from boards.utils import datetime_to_epoch
neko259
Moved models to a separate module folder. Starting to split up models file
r384
neko259
Refactoring
r917
neko259
Small fixes to the websocket notifications. Make post creation atomic, not the entire view
r915 WS_NOTIFICATION_TYPE_NEW_POST = 'new_post'
WS_NOTIFICATION_TYPE = 'notification_type'
neko259
Removed django-markupfield as it is incompatible with the new migrations. Use 2 fields for storing raw and rendered text and work with them directly
r881
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853 WS_CHANNEL_THREAD = "thread:"
neko259
Optimized imports and added some docstrings to the post module
r622
neko259
Use cache for PPD value
r410 APP_LABEL_BOARDS = 'boards'
CACHE_KEY_PPD = 'ppd'
neko259
Added post url caching to cache post replies and id urls
r589 CACHE_KEY_POST_URL = 'post_url'
neko259
Use cache for PPD value
r410
neko259
Optimized PPD counter (now it uses a single query instead of one for each day)
r745 POSTS_PER_DAY_RANGE = 7
neko259
Get PPD for the last week
r408
neko259
Moved models to a separate module folder. Starting to split up models file
r384 BAN_REASON_AUTO = 'Auto'
IMAGE_THUMB_SIZE = (200, 150)
neko259
Enlarged title field
r612 TITLE_MAX_LENGTH = 200
neko259
Moved models to a separate module folder. Starting to split up models file
r384
neko259
Added TODOs to the bad and deprecated code to be removed
r702 # TODO This should be removed
neko259
Moved models to a separate module folder. Starting to split up models file
r384 NO_IP = '0.0.0.0'
neko259
Added TODOs to the bad and deprecated code to be removed
r702
# TODO Real user agent should be saved instead of this
neko259
Moved models to a separate module folder. Starting to split up models file
r384 UNKNOWN_UA = ''
neko259
Added TODOs to the bad and deprecated code to be removed
r702
neko259
Moving neboard to python3 support (no python2 for now until we figure out how...
r765 REGEX_REPLY = re.compile(r'\[post\](\d+)\[/post\]')
neko259
Moved models to a separate module folder. Starting to split up models file
r384
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853 PARAMETER_TRUNCATED = 'truncated'
PARAMETER_TAG = 'tag'
PARAMETER_OFFSET = 'offset'
PARAMETER_DIFF_TYPE = 'type'
neko259
Refactoring
r917 PARAMETER_BUMPABLE = 'bumpable'
PARAMETER_THREAD = 'thread'
PARAMETER_IS_OPENING = 'is_opening'
PARAMETER_MODERATOR = 'moderator'
PARAMETER_POST = 'post'
PARAMETER_OP_ID = 'opening_post_id'
PARAMETER_NEED_OPEN_LINK = 'need_open_link'
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853
DIFF_TYPE_HTML = 'html'
DIFF_TYPE_JSON = 'json'
neko259
Pre-parse text to change the markdown-style patterns to bbcode
r865 PREPARSE_PATTERNS = {
neko259
Added parser test. Fixed quote preparsing
r886 r'>>(\d+)': r'[post]\1[/post]', # Reflink ">>123"
neko259
Fixed post reflinks that were parsed as quotes in the line start
r926 r'^>([^>].+)': r'[quote]\1[/quote]', # Quote ">text"
neko259
Preparse comment to bbcode
r888 r'^//(.+)': r'[comment]\1[/comment]', # Comment "//text"
neko259
Pre-parse text to change the markdown-style patterns to bbcode
r865 }
neko259
Moved models to a separate module folder. Starting to split up models file
r384
class PostManager(models.Manager):
neko259
Small fixes to the websocket notifications. Make post creation atomic, not the entire view
r915 @transaction.atomic
def create_post(self, title: str, text: str, image=None, thread=None,
ip=NO_IP, tags: list=None):
neko259
Small changes to the docstrings. Added some TODOs
r418 """
neko259
Optimized imports and added some docstrings to the post module
r622 Creates new post
neko259
Small changes to the docstrings. Added some TODOs
r418 """
neko259
Fixed tag problems with python3 (related to the 'map' function that was...
r766 if not tags:
tags = []
neko259
Moved models to a separate module folder. Starting to split up models file
r384 posting_time = timezone.now()
neko259
Split up post model into post and thread to normalise models. Still need some refactoring
r398 if not thread:
thread = Thread.objects.create(bump_time=posting_time,
last_edit_time=posting_time)
neko259
Delete old threads only on thread creation, not on every added post
r615 new_thread = True
neko259
Split up post model into post and thread to normalise models. Still need some refactoring
r398 else:
neko259
Delete old threads only on thread creation, not on every added post
r615 new_thread = False
neko259
Moved models to a separate module folder. Starting to split up models file
r384
neko259
Pre-parse text to change the markdown-style patterns to bbcode
r865 pre_text = self._preparse_text(text)
neko259
Moved models to a separate module folder. Starting to split up models file
r384 post = self.create(title=title,
neko259
Pre-parse text to change the markdown-style patterns to bbcode
r865 text=pre_text,
neko259
Moved models to a separate module folder. Starting to split up models file
r384 pub_time=posting_time,
neko259
Split up post model into post and thread to normalise models. Still need some refactoring
r398 thread_new=thread,
neko259
Moved models to a separate module folder. Starting to split up models file
r384 poster_ip=ip,
neko259
Fixed threads title in the browser title bar. Moving old threads to archive instead of deleting them.
r484 poster_user_agent=UNKNOWN_UA, # TODO Get UA at
# last!
neko259
Removed user and settings mode. Added settings manager to manage settings and keep them in the session (or any other backend like cookie in the future
r728 last_edit_time=posting_time)
neko259
Moved models to a separate module folder. Starting to split up models file
r384
neko259
Another log names change
r868 logger = logging.getLogger('boards.post.create')
neko259
Use more log tags in post module
r866
neko259
Preparse comment to bbcode
r888 logger.info('Created post {} by {}'.format(
post, post.poster_ip))
neko259
Don't output post text to a log
r850
neko259
Moved post image to a separate model. Each post (as of model) can contain multiple images now. The image shown to the user is got with get_first_image method
r693 if image:
neko259
Image deduplication (BB-53). When an image with the same hash is uploaded, it...
r944 # Try to find existing image. If it exists, assign it to the post
# instead of createing the new one
image_hash = PostImage.get_hash(image)
existing = PostImage.objects.filter(hash=image_hash)
if len(existing) > 0:
post_image = existing[0]
else:
post_image = PostImage.objects.create(image=image)
logger.info('Created new image #{} for post #{}'.format(
post_image.id, post.id))
neko259
Moved post image to a separate model. Each post (as of model) can contain multiple images now. The image shown to the user is got with get_first_image method
r693 post.images.add(post_image)
neko259
Split up post model into post and thread to normalise models. Still need some refactoring
r398 thread.replies.add(post)
neko259
Use map() in python3 style
r770 list(map(thread.add_tag, tags))
neko259
Moved models to a separate module folder. Starting to split up models file
r384
neko259
Delete old threads only on thread creation, not on every added post
r615 if new_thread:
neko259
Moved imageboard settings to the boards settings module. Added setting to disable archive
r716 Thread.objects.process_oldest_threads()
neko259
Bump thread only after adding post to it
r885 else:
thread.bump()
thread.last_edit_time = posting_time
thread.save()
neko259
Moved models to a separate module folder. Starting to split up models file
r384 self.connect_replies(post)
return post
def delete_posts_by_ip(self, ip):
neko259
Small changes to the docstrings. Added some TODOs
r418 """
neko259
Optimized imports and added some docstrings to the post module
r622 Deletes all posts of the author with same IP
neko259
Small changes to the docstrings. Added some TODOs
r418 """
neko259
Moved models to a separate module folder. Starting to split up models file
r384 posts = self.filter(poster_ip=ip)
neko259
Fixed tag problems with python3 (related to the 'map' function that was...
r766 for post in posts:
neko259
Delete thread when the OP is deleted. Removed old post deleter
r880 post.delete()
neko259
Moved models to a separate module folder. Starting to split up models file
r384
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853 def connect_replies(self, post):
neko259
Small changes to the docstrings. Added some TODOs
r418 """
neko259
Optimized imports and added some docstrings to the post module
r622 Connects replies to a post to show them as a reflink map
neko259
Small changes to the docstrings. Added some TODOs
r418 """
neko259
Moved models to a separate module folder. Starting to split up models file
r384
neko259
Removed django-markupfield as it is incompatible with the new migrations. Use 2 fields for storing raw and rendered text and work with them directly
r881 for reply_number in re.finditer(REGEX_REPLY, post.get_raw_text()):
neko259
Moved models to a separate module folder. Starting to split up models file
r384 post_id = reply_number.group(1)
ref_post = self.filter(id=post_id)
if ref_post.count() > 0:
referenced_post = ref_post[0]
referenced_post.referenced_posts.add(post)
referenced_post.last_edit_time = post.pub_time
neko259
Added refmap cache to speed up work with reference maps
r674 referenced_post.build_refmap()
neko259
Code cleanup. Update only edited fields while performing thread archiving or post editing. Remove image when post is removed
r715 referenced_post.save(update_fields=['refmap', 'last_edit_time'])
neko259
Moved models to a separate module folder. Starting to split up models file
r384
neko259
Changed thread_new to get_thread() in the post model
r619 referenced_thread = referenced_post.get_thread()
neko259
Update referenced post's thread last edit time on connecting replies
r535 referenced_thread.last_edit_time = post.pub_time
neko259
Code cleanup. Update only edited fields while performing thread archiving or post editing. Remove image when post is removed
r715 referenced_thread.save(update_fields=['last_edit_time'])
neko259
Update referenced post's thread last edit time on connecting replies
r535
neko259
Show posts per
r407 def get_posts_per_day(self):
neko259
Small changes to the docstrings. Added some TODOs
r418 """
neko259
Optimized imports and added some docstrings to the post module
r622 Gets average count of posts per day for the last 7 days
neko259
Small changes to the docstrings. Added some TODOs
r418 """
neko259
Show posts per
r407
neko259
Optimized PPD counter (now it uses a single query instead of one for each day)
r745 day_end = date.today()
day_start = day_end - timedelta(POSTS_PER_DAY_RANGE)
cache_key = CACHE_KEY_PPD + str(day_end)
ppd = cache.get(cache_key)
neko259
Use cache for PPD value
r410 if ppd:
return ppd
neko259
Optimized PPD counter (now it uses a single query instead of one for each day)
r745 day_time_start = timezone.make_aware(datetime.combine(
day_start, dtime()), timezone.get_current_timezone())
day_time_end = timezone.make_aware(datetime.combine(
day_end, dtime()), timezone.get_current_timezone())
neko259
Fixed PPD counting. Before this it was count from the future week
r413
neko259
Optimized PPD counter (now it uses a single query instead of one for each day)
r745 posts_per_period = float(self.filter(
pub_time__lte=day_time_end,
pub_time__gte=day_time_start).count())
neko259
Get PPD for the last week
r408
neko259
Optimized PPD counter (now it uses a single query instead of one for each day)
r745 ppd = posts_per_period / POSTS_PER_DAY_RANGE
neko259
Get PPD for the last week
r408
neko259
Optimized PPD counter (now it uses a single query instead of one for each day)
r745 cache.set(cache_key, ppd)
neko259
Use cache for PPD value
r410 return ppd
neko259
Show posts per
r407
neko259
Pre-parse text to change the markdown-style patterns to bbcode
r865 def _preparse_text(self, text):
"""
Preparses text to change patterns like '>>' to a proper bbcode
tags.
"""
for key, value in PREPARSE_PATTERNS.items():
neko259
Use multiline preparser (treat line breaks as line start)
r887 text = re.sub(key, value, text, flags=re.MULTILINE)
neko259
Pre-parse text to change the markdown-style patterns to bbcode
r865
return text
neko259
Moved models to a separate module folder. Starting to split up models file
r384
neko259
Added tag search. Refactored search to show any model results in a list.
r692 class Post(models.Model, Viewable):
neko259
Moved models to a separate module folder. Starting to split up models file
r384 """A post is a message."""
objects = PostManager()
class Meta:
neko259
Use cache for PPD value
r410 app_label = APP_LABEL_BOARDS
neko259
Optimized thread view and threads list
r649 ordering = ('id',)
neko259
Moved models to a separate module folder. Starting to split up models file
r384
title = models.CharField(max_length=TITLE_MAX_LENGTH)
pub_time = models.DateTimeField()
neko259
Removed django-markupfield as it is incompatible with the new migrations. Use 2 fields for storing raw and rendered text and work with them directly
r881 text = TextField(blank=True, null=True)
_text_rendered = TextField(blank=True, null=True, editable=False)
neko259
Moved models to a separate module folder. Starting to split up models file
r384
neko259
Moved post image to a separate model. Each post (as of model) can contain multiple images now. The image shown to the user is got with get_first_image method
r693 images = models.ManyToManyField(PostImage, null=True, blank=True,
related_name='ip+', db_index=True)
neko259
Moved models to a separate module folder. Starting to split up models file
r384
poster_ip = models.GenericIPAddressField()
poster_user_agent = models.TextField()
neko259
Query optimizations
r661 thread_new = models.ForeignKey('Thread', null=True, default=None,
neko259
Code cleanup. Update only edited fields while performing thread archiving or post editing. Remove image when post is removed
r715 db_index=True)
neko259
Moved models to a separate module folder. Starting to split up models file
r384 last_edit_time = models.DateTimeField()
referenced_posts = models.ManyToManyField('Post', symmetrical=False,
null=True,
neko259
Query optimizations
r661 blank=True, related_name='rfp+',
db_index=True)
neko259
Added refmap cache to speed up work with reference maps
r674 refmap = models.TextField(null=True, blank=True)
neko259
Moved models to a separate module folder. Starting to split up models file
r384
neko259
Show thread, post and tag names in admin with python3
r875 def __str__(self):
neko259
Use more clean naming of admin entities
r878 return 'P#{}/{}'.format(self.id, self.title)
neko259
Moved models to a separate module folder. Starting to split up models file
r384
neko259
Fixes to tags management after the last changes
r911 def get_title(self) -> str:
neko259
Optimized imports and added some docstrings to the post module
r622 """
Gets original post title or part of its text.
"""
neko259
Moved models to a separate module folder. Starting to split up models file
r384 title = self.title
neko259
Fixed some issues based on feedback at linux.org.ru
r618 if not title:
neko259
Removed django-markupfield as it is incompatible with the new migrations. Use 2 fields for storing raw and rendered text and work with them directly
r881 title = self.get_text()
neko259
Moved models to a separate module folder. Starting to split up models file
r384
return title
neko259
Fixes to tags management after the last changes
r911 def build_refmap(self) -> None:
neko259
Removed linked tags. Added changelog for 2.0. Fixed reply connection.
r740 """
Builds a replies map string from replies list. This is a cache to stop
the server from recalculating the map on every post show.
"""
neko259
Added refmap cache to speed up work with reference maps
r674 map_string = ''
first = True
for refpost in self.referenced_posts.all():
if not first:
map_string += ', '
neko259
Removed linked tags. Added changelog for 2.0. Fixed reply connection.
r740 map_string += '<a href="%s">&gt;&gt;%s</a>' % (refpost.get_url(),
refpost.id)
neko259
Added refmap cache to speed up work with reference maps
r674 first = False
self.refmap = map_string
neko259
Split up post model into post and thread to normalise models. Still need some refactoring
r398 def get_sorted_referenced_posts(self):
neko259
Added refmap cache to speed up work with reference maps
r674 return self.refmap
neko259
Split up post model into post and thread to normalise models. Still need some refactoring
r398
neko259
Fixes to tags management after the last changes
r911 def is_referenced(self) -> bool:
neko259
Updates to support django 1.7
r872 if not self.refmap:
return False
else:
return len(self.refmap) > 0
neko259
Split up post model into post and thread to normalise models. Still need some refactoring
r398
neko259
Fixes to tags management after the last changes
r911 def is_opening(self) -> bool:
neko259
Optimized imports and added some docstrings to the post module
r622 """
Checks if this is an opening post or just a reply.
"""
neko259
Added cache for opening post id
r620 return self.get_thread().get_opening_post_id() == self.id
neko259
Fixed some issues with post model migration
r400
neko259
Added post admin page with tags edit capability
r566 @transaction.atomic
def add_tag(self, tag):
edit_time = timezone.now()
neko259
Changed thread_new to get_thread() in the post model
r619 thread = self.get_thread()
neko259
Added post admin page with tags edit capability
r566 thread.add_tag(tag)
self.last_edit_time = edit_time
neko259
Removed linked tags. Added changelog for 2.0. Fixed reply connection.
r740 self.save(update_fields=['last_edit_time'])
neko259
Added post admin page with tags edit capability
r566
thread.last_edit_time = edit_time
neko259
Removed linked tags. Added changelog for 2.0. Fixed reply connection.
r740 thread.save(update_fields=['last_edit_time'])
neko259
Added post admin page with tags edit capability
r566
neko259
Some more speedups to the post view
r625 def get_url(self, thread=None):
neko259
Added post url caching to cache post replies and id urls
r589 """
neko259
Optimized imports and added some docstrings to the post module
r622 Gets full url to the post.
neko259
Added post url caching to cache post replies and id urls
r589 """
cache_key = CACHE_KEY_POST_URL + str(self.id)
link = cache.get(cache_key)
if not link:
neko259
Some more speedups to the post view
r625 if not thread:
thread = self.get_thread()
opening_id = thread.get_opening_post_id()
neko259
Speed up thread loading
r614
if self.id != opening_id:
neko259
Style cleanup
r608 link = reverse('thread', kwargs={
neko259
Speed up thread loading
r614 'post_id': opening_id}) + '#' + str(self.id)
neko259
Added post url caching to cache post replies and id urls
r589 else:
link = reverse('thread', kwargs={'post_id': self.id})
cache.set(cache_key, link)
return link
neko259
Fixes to tags management after the last changes
r911 def get_thread(self) -> Thread:
neko259
Optimized imports and added some docstrings to the post module
r622 """
Gets post's thread.
"""
neko259
Made getting post thread more generic and scalable
r617 return self.thread_new
neko259
Removed prefetch for referenced posts to speed up thread loading
r660 def get_referenced_posts(self):
neko259
Added tag search. Refactored search to show any model results in a list.
r692 return self.referenced_posts.only('id', 'thread_new')
def get_view(self, moderator=False, need_open_link=False,
truncated=False, *args, **kwargs):
neko259
Refactoring
r917 """
Renders post's HTML view. Some of the post params can be passed over
kwargs for the means of caching (if we view the thread, some params
are same for every post and don't need to be computed over and over.
"""
neko259
Added tag search. Refactored search to show any model results in a list.
r692
neko259
Refactoring
r917 is_opening = kwargs.get(PARAMETER_IS_OPENING, self.is_opening())
thread = kwargs.get(PARAMETER_THREAD, self.get_thread())
can_bump = kwargs.get(PARAMETER_BUMPABLE, thread.can_bump())
neko259
Added tag search. Refactored search to show any model results in a list.
r692
neko259
Use post id in search. Speed up post viewing
r724 if is_opening:
opening_post_id = self.id
else:
opening_post_id = thread.get_opening_post_id()
neko259
Added tag search. Refactored search to show any model results in a list.
r692
return render_to_string('boards/post.html', {
neko259
Refactoring
r917 PARAMETER_POST: self,
PARAMETER_MODERATOR: moderator,
PARAMETER_IS_OPENING: is_opening,
PARAMETER_THREAD: thread,
PARAMETER_BUMPABLE: can_bump,
PARAMETER_NEED_OPEN_LINK: need_open_link,
PARAMETER_TRUNCATED: truncated,
PARAMETER_OP_ID: opening_post_id,
neko259
Added tag search. Refactored search to show any model results in a list.
r692 })
neko259
Added required tags. At least one such tag is needed to create a thread. All...
r922 def get_search_view(self, *args, **kwargs):
return self.get_view(args, kwargs)
neko259
Fixes to tags management after the last changes
r911 def get_first_image(self) -> PostImage:
neko259
Moved post image to a separate model. Each post (as of model) can contain multiple images now. The image shown to the user is got with get_first_image method
r693 return self.images.earliest('id')
neko259
Code cleanup. Update only edited fields while performing thread archiving or post editing. Remove image when post is removed
r715 def delete(self, using=None):
"""
neko259
Delete thread when the OP is deleted. Removed old post deleter
r880 Deletes all post images and the post itself. If the post is opening,
thread with all posts is deleted.
neko259
Code cleanup. Update only edited fields while performing thread archiving or post editing. Remove image when post is removed
r715 """
neko259
Image deduplication (BB-53). When an image with the same hash is uploaded, it...
r944 for image in self.images.all():
image_refs_count = Post.objects.filter(images__in=[image]).count()
if image_refs_count == 1:
image.delete()
neko259
Code cleanup. Update only edited fields while performing thread archiving or post editing. Remove image when post is removed
r715
neko259
Delete thread when the OP is deleted. Removed old post deleter
r880 if self.is_opening():
self.get_thread().delete()
else:
thread = self.get_thread()
thread.last_edit_time = timezone.now()
thread.save()
neko259
Actually delete the opening post when deleting the thread
r884 super(Post, self).delete(using)
neko259
Delete thread when the OP is deleted. Removed old post deleter
r880
logging.getLogger('boards.post.delete').info(
neko259
Preparse comment to bbcode
r888 'Deleted post {}'.format(self))
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853
def get_post_data(self, format_type=DIFF_TYPE_JSON, request=None,
include_last_update=False):
"""
Gets post HTML or JSON data that can be rendered on a page or used by
API.
"""
if format_type == DIFF_TYPE_HTML:
neko259
Refactoring
r917 params = dict()
params['post'] = self
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853 if PARAMETER_TRUNCATED in request.GET:
neko259
Refactoring
r917 params[PARAMETER_TRUNCATED] = True
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853
neko259
Refactoring
r917 return render_to_string('boards/api_post.html', params)
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853 elif format_type == DIFF_TYPE_JSON:
post_json = {
'id': self.id,
'title': self.title,
neko259
Added parser test. Fixed quote preparsing
r886 'text': self._text_rendered,
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853 }
if self.images.exists():
post_image = self.get_first_image()
post_json['image'] = post_image.image.url
post_json['image_preview'] = post_image.image.url_200x150
if include_last_update:
post_json['bump_time'] = datetime_to_epoch(
self.thread_new.bump_time)
return post_json
def send_to_websocket(self, request, recursive=True):
"""
Sends post HTML data to the thread web socket.
"""
if not settings.WEBSOCKETS_ENABLED:
return
client = Client()
neko259
Small fixes to the websocket notifications. Make post creation atomic, not the entire view
r915 thread = self.get_thread()
thread_id = thread.id
channel_name = WS_CHANNEL_THREAD + str(thread.get_opening_post_id())
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853 client.publish(channel_name, {
neko259
Small fixes to the websocket notifications. Make post creation atomic, not the entire view
r915 WS_NOTIFICATION_TYPE: WS_NOTIFICATION_TYPE_NEW_POST,
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853 })
client.send()
neko259
Another log names change
r868 logger = logging.getLogger('boards.post.websocket')
neko259
Use more log tags in post module
r866
neko259
Small fixes to the websocket notifications. Make post creation atomic, not the entire view
r915 logger.info('Sent notification from post #{} to channel {}'.format(
self.id, channel_name))
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853
if recursive:
neko259
Removed django-markupfield as it is incompatible with the new migrations. Use 2 fields for storing raw and rendered text and work with them directly
r881 for reply_number in re.finditer(REGEX_REPLY, self.get_raw_text()):
neko259
Added centrifuge (websocket) support for thread autoupdate. Only websocket version is supported for now
r853 post_id = reply_number.group(1)
ref_post = Post.objects.filter(id=post_id)[0]
neko259
Small fixes to the websocket notifications. Make post creation atomic, not the entire view
r915 # If post is in this thread, its thread was already notified.
# Otherwise, notify its thread separately.
neko259
Fixed sending posts to websockets. Cleaned up new post view code
r916 if ref_post.thread_new_id != thread_id:
neko259
Small fixes to the websocket notifications. Make post creation atomic, not the entire view
r915 ref_post.send_to_websocket(request, recursive=False)
neko259
Removed django-markupfield as it is incompatible with the new migrations. Use 2 fields for storing raw and rendered text and work with them directly
r881
def save(self, force_insert=False, force_update=False, using=None,
update_fields=None):
self._text_rendered = bbcode_extended(self.get_raw_text())
super().save(force_insert, force_update, using, update_fields)
neko259
Fixes to tags management after the last changes
r911 def get_text(self) -> str:
neko259
Removed django-markupfield as it is incompatible with the new migrations. Use 2 fields for storing raw and rendered text and work with them directly
r881 return self._text_rendered
neko259
Fixes to tags management after the last changes
r911 def get_raw_text(self) -> str:
neko259
Removed django-markupfield as it is incompatible with the new migrations. Use 2 fields for storing raw and rendered text and work with them directly
r881 return self.text