__filename__ = "newsdaemon.py" __author__ = "Bob Mottram" __license__ = "AGPL3+" __version__ = "1.3.0" __maintainer__ = "Bob Mottram" __email__ = "bob@libreserver.org" __status__ = "Production" __module_group__ = "Web Interface Columns" # Example hashtag logic: # # if moderated and not #imcoxford then block # if #pol and contains "westminster" then add #britpol # if #unwantedtag then block import os import time import datetime import html from shutil import rmtree from subprocess import Popen from collections import OrderedDict from newswire import get_dict_from_newswire # from posts import send_signed_json from posts import create_news_post from posts import archive_posts_for_person from utils import valid_hash_tag from utils import get_base_content_from_post from utils import remove_html from utils import get_full_domain from utils import load_json from utils import save_json from utils import get_status_number from utils import clear_from_post_caches from utils import dangerous_markup from utils import local_actor_url from inbox import store_hash_tags from session import create_session def _update_feeds_outbox_index(base_dir: str, domain: str, post_id: str) -> None: """Updates the index used for imported RSS feeds """ base_path = base_dir + '/accounts/news@' + domain index_filename = base_path + '/outbox.index' if os.path.isfile(index_filename): if post_id not in open(index_filename).read(): try: with open(index_filename, 'r+') as feeds_file: content = feeds_file.read() if post_id + '\n' not in content: feeds_file.seek(0, 0) feeds_file.write(post_id + '\n' + content) print('DEBUG: feeds post added to index') except BaseException as ex: print('EX: Failed to write entry to feeds posts index ' + index_filename + ' ' + str(ex)) else: try: with open(index_filename, 'w+') as feeds_file: feeds_file.write(post_id + '\n') except OSError: print('EX: unable to write ' + index_filename) def _save_arrived_time(base_dir: str, post_filename: str, arrived: str) -> None: """Saves the time when an rss post arrived to a file """ try: with open(post_filename + '.arrived', 'w+') as arrived_file: arrived_file.write(arrived) except OSError: print('EX: unable to write ' + post_filename + '.arrived') def _remove_control_characters(content: str) -> str: """Remove escaped html """ if '&' in content: return html.unescape(content) return content def _hashtag_logical_not(tree: [], hashtags: [], moderated: bool, content: str, url: str) -> bool: """ NOT """ if len(tree) != 2: return False if isinstance(tree[1], str): return tree[1] not in hashtags if isinstance(tree[1], list): return not hashtag_rule_resolve(tree[1], hashtags, moderated, content, url) return False def _hashtag_logical_contains(tree: [], hashtags: [], moderated: bool, content: str, url: str) -> bool: """ Contains """ if len(tree) != 2: return False match_str = None if isinstance(tree[1], str): match_str = tree[1] elif isinstance(tree[1], list): match_str = tree[1][0] if match_str: if match_str.startswith('"') and match_str.endswith('"'): match_str = match_str[1:] match_str = match_str[:len(match_str) - 1] match_str_lower = match_str.lower() content_without_tags = content.replace('#' + match_str_lower, '') return match_str_lower in content_without_tags return False def _hashtag_logical_from(tree: [], hashtags: [], moderated: bool, content: str, url: str) -> bool: """ FROM """ if len(tree) != 2: return False match_str = None if isinstance(tree[1], str): match_str = tree[1] elif isinstance(tree[1], list): match_str = tree[1][0] if match_str: if match_str.startswith('"') and match_str.endswith('"'): match_str = match_str[1:] match_str = match_str[:len(match_str) - 1] return match_str.lower() in url return False def _hashtag_logical_and(tree: [], hashtags: [], moderated: bool, content: str, url: str) -> bool: """ AND """ if len(tree) < 3: return False for arg_index in range(1, len(tree)): arg_value = False if isinstance(tree[arg_index], str): arg_value = (tree[arg_index] in hashtags) elif isinstance(tree[arg_index], list): arg_value = hashtag_rule_resolve(tree[arg_index], hashtags, moderated, content, url) if not arg_value: return False return True def _hashtag_logical_or(tree: [], hashtags: [], moderated: bool, content: str, url: str) -> bool: """ OR """ if len(tree) < 3: return False for arg_index in range(1, len(tree)): arg_value = False if isinstance(tree[arg_index], str): arg_value = (tree[arg_index] in hashtags) elif isinstance(tree[arg_index], list): arg_value = hashtag_rule_resolve(tree[arg_index], hashtags, moderated, content, url) if arg_value: return True return False def _hashtag_logical_xor(tree: [], hashtags: [], moderated: bool, content: str, url: str) -> bool: """ XOR """ if len(tree) < 3: return False true_ctr = 0 for arg_index in range(1, len(tree)): arg_value = False if isinstance(tree[arg_index], str): arg_value = (tree[arg_index] in hashtags) elif isinstance(tree[arg_index], list): arg_value = hashtag_rule_resolve(tree[arg_index], hashtags, moderated, content, url) if arg_value: true_ctr += 1 if true_ctr == 1: return True return False def hashtag_rule_resolve(tree: [], hashtags: [], moderated: bool, content: str, url: str) -> bool: """Returns whether the tree for a hashtag rule evaluates to true or false """ if not tree: return False if tree[0] == 'not': return _hashtag_logical_not(tree, hashtags, moderated, content, url) if tree[0] == 'contains': return _hashtag_logical_contains(tree, hashtags, moderated, content, url) if tree[0] == 'from': return _hashtag_logical_from(tree, hashtags, moderated, content, url) if tree[0] == 'and': return _hashtag_logical_and(tree, hashtags, moderated, content, url) if tree[0] == 'or': return _hashtag_logical_or(tree, hashtags, moderated, content, url) if tree[0] == 'xor': return _hashtag_logical_xor(tree, hashtags, moderated, content, url) if tree[0].startswith('#') and len(tree) == 1: return tree[0] in hashtags if tree[0].startswith('moderated'): return moderated if tree[0].startswith('"') and tree[0].endswith('"'): return True return False def hashtag_rule_tree(operators: [], conditions_str: str, tags_in_conditions: [], moderated: bool) -> []: """Walks the tree """ if not operators and conditions_str: conditions_str = conditions_str.strip() is_str = \ conditions_str.startswith('"') and conditions_str.endswith('"') if conditions_str.startswith('#') or is_str or \ conditions_str in operators or \ conditions_str == 'moderated' or \ conditions_str == 'contains': if conditions_str.startswith('#'): if conditions_str not in tags_in_conditions: if ' ' not in conditions_str or \ conditions_str.startswith('"'): tags_in_conditions.append(conditions_str) return [conditions_str.strip()] return None if not operators or not conditions_str: return None tree = None conditions_str = conditions_str.strip() is_str = conditions_str.startswith('"') and conditions_str.endswith('"') if conditions_str.startswith('#') or is_str or \ conditions_str in operators or \ conditions_str == 'moderated' or \ conditions_str == 'contains': if conditions_str.startswith('#'): if conditions_str not in tags_in_conditions: if ' ' not in conditions_str or \ conditions_str.startswith('"'): tags_in_conditions.append(conditions_str) tree = [conditions_str.strip()] ctr = 0 while ctr < len(operators): oper = operators[ctr] opmatch = ' ' + oper + ' ' if opmatch not in conditions_str and \ not conditions_str.startswith(oper + ' '): ctr += 1 continue tree = [oper] if opmatch in conditions_str: sections = conditions_str.split(opmatch) else: sections = conditions_str.split(oper + ' ', 1) for sub_condition_str in sections: result = hashtag_rule_tree(operators[ctr + 1:], sub_condition_str, tags_in_conditions, moderated) if result: tree.append(result) break return tree def _hashtag_add(base_dir: str, http_prefix: str, domain_full: str, post_json_object: {}, action_str: str, hashtags: [], system_language: str, translate: {}) -> None: """Adds a hashtag via a hashtag rule """ add_hashtag = action_str.split('add ', 1)[1].strip() if not add_hashtag.startswith('#'): return if add_hashtag not in hashtags: hashtags.append(add_hashtag) ht_id = add_hashtag.replace('#', '') if not valid_hash_tag(ht_id): return hashtag_url = http_prefix + "://" + domain_full + "/tags/" + ht_id new_tag = { 'href': hashtag_url, 'name': add_hashtag, 'type': 'Hashtag' } # does the tag already exist? add_tag_object = None for htag in post_json_object['object']['tag']: if htag.get('type') and htag.get('name'): if htag['type'] == 'Hashtag' and \ htag['name'] == add_hashtag: add_tag_object = htag break # append the tag if it wasn't found if not add_tag_object: post_json_object['object']['tag'].append(new_tag) # add corresponding html to the post content hashtag_html = \ " #" + ht_id + "" content = get_base_content_from_post(post_json_object, system_language) if hashtag_html in content: return if content.endswith('
'): content = \ content[:len(content) - len('')] + \ hashtag_html + '' else: content += hashtag_html post_json_object['object']['content'] = content domain = domain_full if ':' in domain: domain = domain.split(':')[0] store_hash_tags(base_dir, 'news', domain, http_prefix, domain_full, post_json_object, translate) def _hashtag_remove(http_prefix: str, domain_full: str, post_json_object: {}, action_str: str, hashtags: [], system_language: str) -> None: """Removes a hashtag via a hashtag rule """ rm_hashtag = action_str.split('remove ', 1)[1].strip() if not rm_hashtag.startswith('#'): return if rm_hashtag in hashtags: hashtags.remove(rm_hashtag) ht_id = rm_hashtag.replace('#', '') hashtag_url = http_prefix + "://" + domain_full + "/tags/" + ht_id # remove tag html from the post content hashtag_html = \ "#" + ht_id + "" content = get_base_content_from_post(post_json_object, system_language) if hashtag_html in content: content = content.replace(hashtag_html, '').replace(' ', ' ') post_json_object['object']['content'] = content post_json_object['object']['contentMap'][system_language] = content rm_tag_object = None for htag in post_json_object['object']['tag']: if htag.get('type') and htag.get('name'): if htag['type'] == 'Hashtag' and \ htag['name'] == rm_hashtag: rm_tag_object = htag break if rm_tag_object: post_json_object['object']['tag'].remove(rm_tag_object) def _newswire_hashtag_processing(session, base_dir: str, post_json_object: {}, hashtags: [], http_prefix: str, domain: str, port: int, person_cache: {}, cached_webfingers: {}, federation_list: [], send_threads: [], post_log: [], moderated: bool, url: str, system_language: str, translate: {}) -> bool: """Applies hashtag rules to a news post. Returns true if the post should be saved to the news timeline of this instance """ rules_filename = base_dir + '/accounts/hashtagrules.txt' if not os.path.isfile(rules_filename): return True rules = [] with open(rules_filename, 'r') as fp_rules: rules = fp_rules.readlines() domain_full = get_full_domain(domain, port) # get the full text content of the post content = '' if post_json_object['object'].get('content'): content += get_base_content_from_post(post_json_object, system_language) if post_json_object['object'].get('summary'): content += ' ' + post_json_object['object']['summary'] content = content.lower() # actionOccurred = False operators = ('not', 'and', 'or', 'xor', 'from', 'contains') for rule_str in rules: if not rule_str: continue if not rule_str.startswith('if '): continue if ' then ' not in rule_str: continue conditions_str = rule_str.split('if ', 1)[1] conditions_str = conditions_str.split(' then ')[0] tags_in_conditions = [] tree = hashtag_rule_tree(operators, conditions_str, tags_in_conditions, moderated) if not hashtag_rule_resolve(tree, hashtags, moderated, content, url): continue # the condition matches, so do something action_str = rule_str.split(' then ')[1].strip() if action_str.startswith('add '): # add a hashtag _hashtag_add(base_dir, http_prefix, domain_full, post_json_object, action_str, hashtags, system_language, translate) elif action_str.startswith('remove '): # remove a hashtag _hashtag_remove(http_prefix, domain_full, post_json_object, action_str, hashtags, system_language) elif action_str.startswith('block') or action_str.startswith('drop'): # Block this item return False return True def _create_news_mirror(base_dir: str, domain: str, post_id_number: str, url: str, max_mirrored_articles: int) -> bool: """Creates a local mirror of a news article """ if '|' in url or '>' in url: return True mirror_dir = base_dir + '/accounts/newsmirror' if not os.path.isdir(mirror_dir): os.mkdir(mirror_dir) # count the directories no_of_dirs = 0 for _, dirs, _ in os.walk(mirror_dir): no_of_dirs = len(dirs) mirror_index_filename = base_dir + '/accounts/newsmirror.txt' if max_mirrored_articles > 0 and no_of_dirs > max_mirrored_articles: if not os.path.isfile(mirror_index_filename): # no index for mirrors found return True removals = [] with open(mirror_index_filename, 'r') as index_file: # remove the oldest directories ctr = 0 while no_of_dirs > max_mirrored_articles: ctr += 1 if ctr > 5000: # escape valve break post_id = index_file.readline() if not post_id: continue post_id = post_id.strip() mirror_article_dir = mirror_dir + '/' + post_id if os.path.isdir(mirror_article_dir): rmtree(mirror_article_dir, ignore_errors=False, onerror=None) removals.append(post_id) no_of_dirs -= 1 # remove the corresponding index entries if removals: index_content = '' with open(mirror_index_filename, 'r') as index_file: index_content = index_file.read() for remove_post_id in removals: index_content = \ index_content.replace(remove_post_id + '\n', '') try: with open(mirror_index_filename, 'w+') as index_file: index_file.write(index_content) except OSError: print('EX: unable to write ' + mirror_index_filename) mirror_article_dir = mirror_dir + '/' + post_id_number if os.path.isdir(mirror_article_dir): # already mirrored return True # for onion instances mirror via tor prefix_str = '' if domain.endswith('.onion'): prefix_str = '/usr/bin/torsocks ' # download the files command_str = \ prefix_str + '/usr/bin/wget -mkEpnp -e robots=off ' + url + \ ' -P ' + mirror_article_dir proc = Popen(command_str, shell=True) os.waitpid(proc.pid, 0) if not os.path.isdir(mirror_article_dir): print('WARN: failed to mirror ' + url) return True # append the post Id number to the index file if os.path.isfile(mirror_index_filename): try: with open(mirror_index_filename, 'a+') as index_file: index_file.write(post_id_number + '\n') except OSError: print('EX: unable to append ' + mirror_index_filename) else: try: with open(mirror_index_filename, 'w+') as index_file: index_file.write(post_id_number + '\n') except OSError: print('EX: unable to write ' + mirror_index_filename) return True def _convert_rss_to_activitypub(base_dir: str, http_prefix: str, domain: str, port: int, newswire: {}, translate: {}, recent_posts_cache: {}, max_recent_posts: int, session, cached_webfingers: {}, person_cache: {}, federation_list: [], send_threads: [], post_log: [], max_mirrored_articles: int, allow_local_network_access: bool, system_language: str, low_bandwidth: bool, content_license_url: str) -> None: """Converts rss items in a newswire into posts """ if not newswire: print('No newswire to convert') return base_path = base_dir + '/accounts/news@' + domain + '/outbox' if not os.path.isdir(base_path): os.mkdir(base_path) # oldest items first newswire_reverse = OrderedDict(sorted(newswire.items(), reverse=False)) for date_str, item in newswire_reverse.items(): original_date_str = date_str # convert the date to the format used by ActivityPub if '+00:00' in date_str: date_str = date_str.replace(' ', 'T') date_str = date_str.replace('+00:00', 'Z') else: try: date_str_with_offset = \ datetime.datetime.strptime(date_str, "%Y-%m-%d %H:%M:%S%z") except BaseException: print('EX: Newswire strptime failed ' + str(date_str)) continue try: date_str = date_str_with_offset.strftime("%Y-%m-%dT%H:%M:%SZ") except BaseException: print('EX: Newswire date_str_with_offset failed ' + str(date_str_with_offset)) continue status_number, _ = get_status_number(date_str) new_post_id = \ local_actor_url(http_prefix, 'news', domain) + \ '/statuses/' + status_number # file where the post is stored filename = base_path + '/' + new_post_id.replace('/', '#') + '.json' if os.path.isfile(filename): # don't create the post if it already exists # set the url # newswire[original_date_str][1] = \ # '/users/news/statuses/' + status_number # set the filename newswire[original_date_str][3] = filename continue rss_title = _remove_control_characters(item[0]) url = item[1] if dangerous_markup(url, allow_local_network_access) or \ dangerous_markup(rss_title, allow_local_network_access): continue rss_description = '' # get the rss description if it exists rss_description = '' + remove_html(item[4]) + '
'
mirrored = item[7]
post_url = url
if mirrored and '://' in url:
post_url = '/newsmirror/' + status_number + '/' + \
url.split('://')[1]
if post_url.endswith('/'):
post_url += 'index.html'
else:
post_url += '/index.html'
# add the off-site link to the description
rss_description += \
'
' + \
translate['Read more...'] + ''
# podcast_properties = None
# if len(item) > 8:
# podcast_properties = item[8]
followers_only = False
# NOTE: the id when the post is created will not be
# consistent (it's based on the current time, not the
# published time), so we change that later
save_to_file = False
attach_image_filename = None
media_type = None
image_description = None
city = 'London, England'
conversation_id = None
languages_understood = [system_language]
blog = create_news_post(base_dir,
domain, port, http_prefix,
rss_description,
followers_only, save_to_file,
attach_image_filename, media_type,
image_description, city,
rss_title, system_language,
conversation_id, low_bandwidth,
content_license_url,
languages_understood)
if not blog:
continue
if mirrored:
if not _create_news_mirror(base_dir, domain, status_number,
url, max_mirrored_articles):
continue
id_str = \
local_actor_url(http_prefix, 'news', domain) + \
'/statuses/' + status_number + '/replies'
blog['news'] = True
# note the time of arrival
curr_time = datetime.datetime.utcnow()
blog['object']['arrived'] = curr_time.strftime("%Y-%m-%dT%H:%M:%SZ")
# change the id, based upon the published time
blog['object']['replies']['id'] = id_str
blog['object']['replies']['first']['partOf'] = id_str
blog['id'] = new_post_id + '/activity'
blog['object']['id'] = new_post_id
blog['object']['atomUri'] = new_post_id
blog['object']['url'] = \
http_prefix + '://' + domain + '/@news/' + status_number
blog['object']['published'] = date_str
blog['object']['content'] = rss_description
blog['object']['contentMap'][system_language] = rss_description
domain_full = get_full_domain(domain, port)
hashtags = item[6]
post_id = new_post_id.replace('/', '#')
moderated = item[5]
save_post = \
_newswire_hashtag_processing(session, base_dir,
blog, hashtags,
http_prefix, domain, port,
person_cache, cached_webfingers,
federation_list,
send_threads, post_log,
moderated, url, system_language,
translate)
# save the post and update the index
if save_post:
# ensure that all hashtags are stored in the json
# and appended to the content
blog['object']['tag'] = []
for tag_name in hashtags:
ht_id = tag_name.replace('#', '')
hashtag_url = \
http_prefix + "://" + domain_full + "/tags/" + ht_id
new_tag = {
'href': hashtag_url,
'name': tag_name,
'type': 'Hashtag'
}
blog['object']['tag'].append(new_tag)
hashtag_html = \
" #" + \
ht_id + ""
content = get_base_content_from_post(blog, system_language)
if hashtag_html not in content:
if content.endswith('