示例#1
0
def home():
    cur = DataBase().get_connection_default().cursor()

    cur.execute("select table_name from information_schema.tables")
    tables = cur.fetchall()

    return render_template("base.html", tables=tables)
示例#2
0
    def get_statistics(self, user_id):

        cursor = DataBase.get_connection_default().cursor()

        cursor.execute(
            "select count(*) from {toreview}".format(toreview=self.toreview))
        records_to_review = cursor.fetchone()[0]

        cursor.execute(
            "select count(*) from {user_reviewed} where UserId={user_id}".
            format(user_reviewed=self.user_reviewed, user_id=user_id))
        user_reviewed = cursor.fetchone()[0]

        cursor.execute(
            "SELECT * FROM ("
            "SELECT UserId, Counts, Rank() OVER (ORDER BY Counts DESC) AS rank "
            "FROM ("
            "SELECT UserId, count(*) AS Counts "
            "FROM {user_reviewed} "
            "GROUP BY UserId) i) j "
            "WHERE UserId={user_id}".format(user_reviewed=self.user_reviewed,
                                            user_id=user_id))
        rank = cursor.fetchone()

        return {
            'records_to_review': records_to_review,
            'user_reviewed': user_reviewed,
            'rank': -1 if rank is None else rank[0]
        }
示例#3
0
    def register_user(email, password, name = ""):
        """
        This method registers a user using e-mail and password.
        The password already comes hashed as sha-512.
        :param email: user's e-mail (might be invalid)
        :param password: sha512-hashed password
        :return: True if registered successfully, or False otherwise (exceptions can also be raised)
        """
        user_data = DataBase.find_one_default(UserConstants.COLLECTION, {"email": email})

        if user_data is not None:
            raise UserErrors.UserAlreadyRegisteredError("The e-mail you used to register already exists.")
        if not Utils.email_is_valid(email):
            raise UserErrors.InvalidEmailError("The e-mail does not have the right format.")

        User(email, Utils.hash_password(password), name).save_to_db()

        return True
示例#4
0
    def is_login_valid(email, password):
        """
        This method verifies that an e-mail/password combo (as sent by the site forms) is valid or not.
        Checks that the e-mail exists, and that the password associated to that e-mail is correct.
        :param email: The user's email
        :param password: A sha512 hashed password
        :return: True if valid, False otherwise
        """
        user_data = DataBase.find_one_default("users", {"email": email})  # Password in sha512 -> pbkdf2_sha512
        print(user_data)
        if user_data is None:
            # Tell the user that their e-mail doesn't exist
            raise UserErrors.UserNotExistsError("Your user does not exist.")
        if not Utils.check_hashed_password(password, user_data['password']):
            # Tell the user that their password is wrong
            raise UserErrors.IncorrectPasswordError("Your password was wrong.")

        return True
示例#5
0
    def save_to_db(self,
                   user_id,
                   record_id,
                   match,
                   time=datetime.datetime.now().strftime('%Y-%m-%d %H:%M:%S')):
        cursor = DataBase.get_connection_default().cursor()
        cursor.execute(
            "SELECT ViewCounts FROM {table} where RecordId={record_id}".format(
                table=self.toreview, record_id=record_id))
        reviewed_times = cursor.fetchone()[0]

        if reviewed_times < self.votes_per_record - 1:

            cursor.execute(
                "UPDATE {table} SET ViewCounts={counts} where RecordId={record_id}"
                .format(table=self.toreview,
                        counts=reviewed_times + 1,
                        record_id=record_id))
        else:

            cursor.execute("INSERT INTO {reviewed} SELECT * FROM {toreview} "
                           "WHERE RecordId={record_id}".format(
                               reviewed=self.reviewed,
                               toreview=self.toreview,
                               record_id=record_id))

            cursor.execute(
                "DELETE FROM {toreview} WHERE RecordId={record_id}".format(
                    toreview=self.toreview, record_id=record_id))

        cursor.execute(
            "INSERT INTO {user_reviewed} (UserId, RecordId, Match, Time) Values"
            "({user_id}, {record_id}, {match}, '{time}')".format(
                user_reviewed=self.user_reviewed,
                user_id=user_id,
                record_id=record_id,
                match=match,
                time=time))
示例#6
0
    def get_one_record_not_reviewed(self):

        display_dict = dict(
            zip(DealerMapping.order_columns, DealerMapping.display_columns))

        values = DataBase.find_one_not_reviewed(
            user_id=User.find_by_email(session['email']).userid)
        if values is None:
            return None
        record_id = values['RecordId']
        mc_columns, pc_columns = {}, {}
        mc_dealerid, pc_dealerid = None, None

        for column, value in values.items():
            if column.startswith("MC"):
                mc_columns[column[3:]] = value
            if column.startswith("PC"):
                pc_columns[column[3:]] = value
            if column == "MC_DealerId":
                mc_dealerid = value
            if column == "PC_DealerId":
                pc_dealerid = value

        mc_pc_columns_dict = {
            key: (mc_columns.get(key, ''), pc_columns.get(key, ''))
            for key in set().union(mc_columns, pc_columns)
        }
        mc_pc_columns = [(display_dict[col], mc_pc_columns_dict[col])
                         for col in DealerMapping.order_columns
                         if col in mc_pc_columns_dict]

        return {
            'mc_pc_columns': mc_pc_columns,
            'mc_dealerid': mc_dealerid,
            'pc_dealerid': pc_dealerid,
            'record_id': record_id
        }
示例#7
0
 def save_to_db(self):
     DataBase.add_one_default(UserConstants.COLLECTION, self.json())
示例#8
0
    def find_by_email(cls, email):

        return cls(**DataBase.find_one_default(UserConstants.COLLECTION, {"email": email}))