"""Utilities for extracting posts and comments from Drupal using the output of the `Edgesense Drupal module`_.
.. _`Edgesense Drupal module`: https://github.com/Wikitalia/edgesense/tree/master/php/drupal
"""
from future import standard_library
standard_library.install_aliases()
from builtins import object
from datetime import datetime
from urllib.parse import urlparse, urljoin
import uuid
import re
from sqlalchemy.orm import relationship, backref
from sqlalchemy import (
    Column,
    ForeignKey,
    Integer,
    String,
    UniqueConstraint,
    Text
 )
import requests
import simplejson as json
from .langstrings import LangString
from .generic import PostSource
from .post import ImportedPost
from .auth import AbstractAgentAccount, AgentProfile
from ..tasks.source_reader import PullSourceReader
from ..lib import config
from ..lib.sqla_types import URLString
from ..lib.locale import get_localizer, _
[docs]class EdgeSenseDrupalSource(PostSource):
    __tablename__ = 'edgesense_drupal_source'
    __mapper_args__ = {
        'polymorphic_identity': 'edgesense_drupal_source'
    }
    """
    Many of the links that come from edgeryder/drupal are relative links,
    and therefore the source should maintian a root URL for parsing
    purposes.
    A uniqueness constraint is NOT put on the 3 sources together in the DB,
    becauset there CAN be duplicate sources created across discussions,
    even possibly in the same discussion.
    Furthermore, for comments and posts, the IDs that will be imported will
    NOT be unique. However, unlike managing user uniqueness, Posts have
    internal mechanism
    """
    id = Column(Integer, ForeignKey(
                'post_source.id',
                onupdate='CASCADE',
                ondelete='CASCADE'), primary_key=True)
    node_source = Column(URLString(), nullable=False)
    node_root = Column(String(200))
    user_source = Column(URLString(), nullable=False)
    comment_source = Column(URLString(), nullable=False)
    post_id_prepend = Column(String(100), nullable=False)
    def generate_prepend_id(self):
        return uuid.uuid1().hex + "_"
    # @override
    def get_default_prepended_id(self):
        return self.post_id_prepend
    def get_prepend_id(self):
        return self.post_id_prepend
    def __init__(self, *args, **kwargs):
        if 'post_id_prepend' not in kwargs:
            kwargs['post_id_prepend'] = self.generate_prepend_id()
        super(EdgeSenseDrupalSource, self).__init__(*args, **kwargs)
    def make_reader(self):
        # Duck-Typed method to create a source_reader from this source
        return EdgeSenseReader(self.id)
    def generate_message_id(self, source_post_id):
        return "%s%s@%s" % (
            self.post_id_prepend,
            self.flatten_source_post_id(
                source_post_id, len(self.post_id_prepend)),
            urlparse(self.node_source).hostname)
[docs]    @classmethod
    def create(cls, nodes, users, comments, title, discussion, root_url=''):
        now = datetime.utcnow()
        if root_url is '' or None:
            url = urlparse(nodes)
            schema = url[0] if url[0] is not '' else 'http'
            root_url = schema + '//' + url[1]
        return cls(node_source=nodes,
                   user_source=users,
                   comment_source=comments,
                   node_root=root_url,
                   last_import=now,
                   name=title,
                   creation_date=now,
                   discussion=discussion)  
[docs]class SourceSpecificAccount(AbstractAgentAccount):
    """
    It is important to note that the IDs that come from edgeryder and
    other drupal sources will NOT be unique.
    In order to ensure uniqueness within the platform, for users at least, the
    IDs are namespaced by adding a uniqueness constraint to the IDs
    stored, by the source that they come from.
    """
    __tablename__ = 'source_specific_account'
    __mapper_args__ = {
        'polymorphic_identity': 'source_specific_account'
    }
    __table_args__ = (UniqueConstraint('user_id', 'source_id'), )
    id = Column(Integer, ForeignKey(
                'abstract_agent_account.id',
                onupdate='CASCADE',
                ondelete='CASCADE'), primary_key=True)
    user_link = Column(URLString)
    # user_id: Edgeryder returns "6464" or "6460"
    user_id = Column(String(15), nullable=False)
    user_info = Column(Text)  # The JSON blob for future-keeping
    source_id = Column(Integer, ForeignKey(
                       'edgesense_drupal_source.id',
                       onupdate='CASCADE',
                       ondelete='CASCADE'), nullable=False)
    source = relationship(EdgeSenseDrupalSource,
                          backref=backref('accounts'))
    @property
    def user_info_json(self):
        if self.user_info:
            return json.load(self.user_info)
        return {}
    @user_info_json.setter
    def user_info_json(self, value):
        self.user_info = json.dumps(value)
[docs]    @classmethod
    def create(cls, source, user_dict):
        user = user_dict['user']
        user_id = user['uid']
        # created = datetime.datetime.fromtimestamp(user['created'])
        name = user['name']
        link = u"https://edgeryders.eu/user/%s" % user_id
        profile = AgentProfile(name=name)
        return cls(user_info=json.dumps(user_dict),
                   user_link=link,
                   user_id=user_id,
                   source=source,
                   profile=profile)  
[docs]class SourceSpecificUnknownAccount(SourceSpecificAccount):
    __mapper_args__ = {
        'polymorphic_identity': 'unknown_source_specific_account'
    }
    def display_name(self):
        localizer = get_localizer()
        return localizer.translate(_("Unknown User ${uid}",
                                   mapping={'uid': self.user_id})) 
[docs]class SourceSpecificPost(ImportedPost):
    __mapper_args__ = {
        'polymorphic_identity': 'source_specific_post'
    } 
[docs]class EdgeSenseSpecificPost(SourceSpecificPost):
    __mapper_args__ = {
        'polymorphic_identity': 'edge_sense_specific_post'
    }
    file_prefix = "/sites/default/files/"
    body_fix_regex = re.compile(r"\A" + file_prefix)
    @staticmethod
    def create_nid(node):
        # prefixed because cid & nid WILL collide with each other
        return "nid_" + node['nid']
    @classmethod
    def process_body(cls, body, node_root):
        return re.sub(cls.body_fix_regex, node_root + cls.file_prefix, body) 
[docs]class EdgeSenseNode(EdgeSenseSpecificPost):
    __mapper_args__ = {
        'polymorphic_identity': 'edge_sense_node'
    }
[docs]    @classmethod
    def create(cls, source, post, creator):
        # post is a dictionary of the post from json
        if 'uid' not in post['node']:
            return None
        node = post.get('node', None)
        node_id = EdgeSenseSpecificPost.create_nid(node)
        created = datetime.fromtimestamp(int(node['created']))
        agent = creator.profile
        import_date = datetime.utcnow()
        body = node.get('Body')
        body = cls.process_body(body, source.node_root)
        body_mime_type = 'text/plain'
        discussion = source.discussion
        blob = json.dumps(post)
        return cls(import_date=import_date, source=source,
                   body_mime_type=body_mime_type,
                   source_post_id=node_id, creator=agent,
                   creation_date=created, imported_blob=blob.encode('utf-8'),
                   discussion=discussion, body=LangString.create(body))  
class EdgeSenseFetcher(object):
    def __init__(self, source, from_file=None):
        self.from_file = from_file or False
        self.source = source
    def get_users(self, **kwargs):
        """To pass an HTTP AUTH to the request, pass as a (username,pass)
        tuple in kwargs.
        eg. get_users(auth=(my_username, my_password))"""
        path = self.source.user_source
        if self.from_file:
            with open(path) as data:
                users = json.load(data)
                return users.get('users', [])
        else:
            users = requests.get(path, **kwargs)
            return users.json().get('users', [])
    def get_nodes(self, **kwargs):
        """To pass an HTTP AUTH to the request, pass as a (username,pass)
        tuple in kwargs.
        eg. get_users(auth=(my_username, my_password))"""
        path = self.source.node_source
        if self.from_file:
            with open(path) as data:
                nodes = json.load(data)
                return nodes.get('nodes', [])
        else:
            nodes = requests.get(path, **kwargs)
            return nodes.json().get('nodes', [])
    def get_comments(self, **kwargs):
        """To pass an HTTP AUTH to the request, pass as a (username,pass)
        tuple in kwargs.
        eg. get_users(auth=(my_username, my_password))"""
        path = self.source.comment_source
        if self.from_file:
            with open(path) as data:
                comments = json.load(data)
                return comments.get('comments', [])
        else:
            comments = requests.get(path, **kwargs)
            return comments.json().get('comments', [])
class EdgeSenseParser(object):
    # In the parsing process, ALWAYS parse the USERS FIRST, because they will
    # be queried to get their agent-profile
    def __init__(self, source, fetcher=None):
        self.source = source
        self.session = source.db
        self.fetcher = fetcher or EdgeSenseFetcher(source)
        self.users = None
        self.nodes = None
        self.comments = None
    def _setup(self):
        username = config.get('edgeryder.username')
        password = config.get('edgeryder.password')
        auth = (username, password)
        self.nodes = self.fetcher.get_nodes(auth=auth, verify=False)
        self.comments = self.fetcher.get_comments(auth=auth, verify=False)
        self.users = {x.get('user').get('uid'): x for x in
                      self.fetcher.get_users(auth=auth, verify=False)}
    def _get_all_users(self):
        return self.session.query(SourceSpecificAccount).\
            filter(SourceSpecificAccount.source_id == self.source.id).all()
    def _get_all_posts(self):
        # Is this dangerous, as it makes a (potentially) heavy query
        return self.session.query(SourceSpecificPost).\
            filter(SourceSpecificPost.source_id == self.source.id).all()
    def _convert_users_to_dict(self, db):
        return {x.user_id: x for x in db}
    def _convert_posts_to_dict(self, db):
        return {x.source_post_id: x for x in db}
    def _process_comment_threading(self, posts_db):
        # comments are json formatted dictionary objects
        # includes both nodes and comments
        waiting_list = []
        first_run = True
        while True:
            if first_run:
                current_list = self.comments
                first_run = False
            else:
                current_list = waiting_list
                waiting_list = []
            for comment in current_list:
                comm = comment['comment']
                if int(comm['pid']) == 0:
                    # Node nid is the parent
                    parent_id = 'nid_' + comm['nid']
                    parent = posts_db.get(parent_id, None)
                    if not parent:
                        waiting_list.append(comment)
                        continue
                    child = posts_db[comm['cid']]
                    child.set_parent(parent)
                else:
                    # Otherwise the comment is a reply to
                    # another comment
                    parent_id = comm['pid']
                    parent = posts_db.get(parent_id, None)
                    if not parent:
                        waiting_list.append(comment)
                        continue
                    child = posts_db[comm['cid']]
                    child.set_parent(parent)
            if not current_list:
                break
    def _create_user(self, user, users_db, unknown=False):
        if user:
            if unknown:
                new_user = SourceSpecificUnknownAccount.create(self.source,
                                                               user)
            else:
                new_user = SourceSpecificAccount.create(self.source, user)
            self.session.add(new_user)
            users_db[new_user.user_id] = new_user
    def _create_node(self, post, posts_db, users_db):
        user_id = post.get('node', {}).get('uid', None)
        if user_id:
            if user_id not in users_db:
                user = self.users.get(user_id, None)
                if not user:
                    # Simplification:
                    # There is a user that is created with a user that
                    # does not exist in the users.json db
                    unknown_user = {"user": {
                            "uid": user_id,
                            "name": None
                        }
                    }
                    self._create_user(unknown_user, users_db, True)
                else:
                    self._create_user(user, users_db)
            new_post = EdgeSenseNode.create(self.source, post,
                                            users_db[user_id])
            return new_post
        return None
    def _create_comment(self, post, posts_db, users_db):
        user_id = post.get('comment', {}).get('uid', None)
        if user_id:
            if user_id not in users_db:
                user = self.users.get(user_id, None)
                if not user:
                    # Simplification:
                    # There is a user that is created with a user that
                    # does not exist in the users.json db
                    unknown_user = {"user": {
                            "uid": user_id,
                            "name": None
                        }
                    }
                    self._create_user(unknown_user, users_db, True)
                else:
                    self._create_user(user, users_db)
            new_post = EdgeSenseComment.create(self.source, post,
                                               users_db[user_id])
            return new_post
        return None
    def _parse_nodes(self, posts_db, users_db):
        if not self.nodes:
            raise ValueError('There are no nodes to parse')
        else:
            for node in self.nodes:
                node_id = EdgeSenseSpecificPost.create_nid(node.get('node'))
                if node_id in posts_db:
                    continue
                new_post = self._create_node(node, posts_db, users_db)
                if not new_post:
                    continue
                posts_db[node_id] = new_post
                self.session.add(new_post)
    def _parse_comments(self, posts_db, users_db):
        if not self.comments:
            raise ValueError('There are no comments to parse')
        else:
            for comment in self.comments:
                comment_id = comment['comment']['cid']
                if comment_id in posts_db:
                    continue
                new_post = self._create_comment(comment, posts_db, users_db)
                if not new_post:
                    continue
                posts_db[comment_id] = new_post
                self.session.add(new_post)
    def parse(self):
        # First, setup
        self._setup()
        # First, get all users and posts from the source, so as to not create
        # duplicates
        users_db = self._convert_users_to_dict(self._get_all_users())
        posts_db = self._convert_posts_to_dict(self._get_all_posts())
        # pre-cursor to getting started
        self.session.flush()
        self._parse_nodes(posts_db, users_db)
        self.session.commit()
        self._parse_comments(posts_db, users_db)
        self.session.commit()
        self._process_comment_threading(posts_db)
        self.session.commit()
    def _update_user(self, user_id, user_db):
        user = user_db.get(user_id, None)
        if not user:
            user = self.users.get(user_id, None)
            self._create_user(user, user_db)
        else:
            new_user = self.users.get(user_id, None)
            if new_user:
                # If new_user is not in the db (for whatever reason), then
                # retain the old data.
                usr = new_user.get('user')
                user.user_info = json.dumps(new_user)
                user.user_link = u"https://edgeryders.eu/user/%s" % \
                                 user_id
                user.source = self.source
                profile = user.profile
                profile.name = usr.get('name')
    def _reimport_nodes_users(self, posts_db, users_db):
        if not self.nodes:
            raise ValueError('There are no nodes to re-parse')
        else:
            for node in self.nodes:
                nde = node['node']
                nid = EdgeSenseSpecificPost.create_nid(nde)
                if nid in posts_db:
                    user_id = nde.get('uid')
                    self._update_user(user_id, users_db)
                    old_node = posts_db.get(nid)
                    old_node.import_date = datetime.utcnow()
                    old_node.source = self.source
                    old_node.discussion = self.source.discussion
                    old_node.source_post_id = nid
                    body = nde['Body']
                    body = old_node.process_body(body, self.source.node_root)
                    old_node.body = body
                    old_node.body_mime_type = 'text/plain'
                    old_node.creation_date = datetime.fromtimestamp(
                        int(nde['created']))
                    user = users_db.get(user_id, None)
                    if user:
                        # user can possibly not exist
                        agent = user.profile
                        old_node.creator = agent
                else:
                    new_post = self._create_node(node, posts_db, users_db)
                    if not new_post:
                        continue
                    posts_db[nid] = new_post
                    self.session.add(new_post)
    def _reimport_comment_users(self, posts_db, users_db):
        if not self.comments:
            raise ValueError('There are no comments to re-parse')
        else:
            for comment in self.comments:
                comm = comment['comment']
                comment_id = comm.get('cid')
                user_id = comm.get('uid', None)
                if comm['cid'] in posts_db:
                    self._update_user(user_id, users_db)
                    old_comm = posts_db.get(comment_id)
                    old_comm.import_date = datetime.utcnow()
                    old_comm.source = self.source
                    old_comm.discussion = self.source.discussion
                    old_comm.source_post_id = comment_id
                    body = comm['Comment']
                    body = old_comm.process_body(body, self.source.node_root)
                    old_comm.body = body
                    old_comm.body_mime_type = 'text/plain'
                    old_comm.creation_date = datetime.fromtimestamp(
                        int(comm['created']))
                    user = users_db.get(user_id, None)
                    if user:
                        agent = user.profile
                        old_comm.creator = agent
                else:
                    new_comm = self._create_comment(comment, posts_db,
                                                    users_db)
                    if not new_comm:
                        continue
                    posts_db[comment_id] = new_comm
                    self.session.add(new_comm)
    def re_import(self):
        self._setup()
        users_db = self._convert_users_to_dict(self._get_all_users())
        posts_db = self._convert_posts_to_dict(self._get_all_posts())
        self._reimport_nodes_users(posts_db, users_db)
        self.session.commit()
        self._reimport_comment_users(posts_db, users_db)
        self.session.commit()
        self._process_comment_threading(posts_db)
        self.session.commit()
class EdgeSenseReader(PullSourceReader):
    def setup(self):
        super(EdgeSenseReader, self).setup()
        self.parser = EdgeSenseParser(self.source)
    def do_read(self):
        self.parser.parse()
    def re_import(self):
        self.parser.re_import()