コード例 #1
0
class ModelDefinition(database.Model):

    __tablename__ = "models"

    id = database.Column(database.Integer, primary_key=True, autoincrement=True)
    model_title = database.Column(database.String(256), nullable=False)
    path_to_model = database.Column(database.String(512))  # Contains the path to uploaded model config file
    path_to_custom_objects = database.Column(database.String(512))
    deployed_by = database.Column(database.Integer, nullable=False)
    model_framework = database.Column(database.String(128), nullable=False)

    def __init__(self, model_title, path_to_model, path_to_custom_objects, deployed_by, model_framework):
        self.model_title = model_title
        self.path_to_model = path_to_model
        self.path_to_custom_objects = path_to_custom_objects
        self.deployed_by = deployed_by
        self.model_framework = model_framework

    def to_json(self):
        return {
            "id": self.id,
            "model_title": self.model_title,
            "path": self.path_to_model,
            "custom_objects_path": self.path_to_custom_objects,
            "filename": os.path.basename(self.path_to_model),
            "custom_objects_filename": os.path.basename(self.path_to_custom_objects),
            "deployed_by": self.deployed_by,
            "model_framework": self.model_framework
        }
コード例 #2
0
class User(database.Model):

    __tablename__ = "users"

    id = database.Column(database.Integer,
                         primary_key=True,
                         autoincrement=True)
    username = database.Column(database.String(256), nullable=False)
    email = database.Column(database.String(256), nullable=False, unique=True)
    name = database.Column(database.String(256), nullable=False)
    surname = database.Column(database.String(256), nullable=False)
    password = database.Column(database.String(512), nullable=False)
    created_at = database.Column(database.DateTime, default=func.now())

    def __init__(self, username, email, name, surname, password):
        self.username = username
        self.email = email
        self.name = name
        self.surname = surname
        self.password = generate_password_hash(password)

    def to_json(self):
        return {
            "id": self.id,
            "username": self.username,
            "email": self.email,
            "name": self.name,
            "surname": self.surname,
            "created_at": self.created_at
        }
コード例 #3
0
class User(database.Model):

        __tablename__ = "users"

        id = database.Column(database.Integer, primary_key=True, autoincrement=True)
        username = database.Column(database.String(256), nullable=False)
        email = database.Column(database.String(256), nullable=False, unique=True)
        name = database.Column(database.String(256), nullable=False)
        surname = database.Column(database.String(256), nullable=False)
        password = database.Column(database.String(512), nullable=False)
        created_at = database.Column(database.DateTime, default=func.now())

        def __init__(self, username, email, name, surname):
            self.username = username
            self.email = email
            self.name = name
            self.surname = surname

        def to_json(self):
            return {
                "id": self.id,
                "username": self.username,
                "email": self.email,
                "name": self.name,
                "surname": self.surname,
                "created_at": self.created_at
            }

        def encode_auth_token(self, user_id):
            try:
                current_app.logger.debug(f"TOKEN_EXP_DAYS: {current_app.config.get('TOKEN_EXP_DAYS')}")
                payload = {
                    "exp": datetime.datetime.utcnow() + datetime.timedelta(days=current_app.config.get("TOKEN_EXP_DAYS")),
                    # "exp": datetime.datetime.utcnow() + datetime.timedelta(minutes=current_app.config.get("TOKEN_EXP_DAYS")),
                    "iat": datetime.datetime.utcnow(),
                    "sub": user_id
                }
                token = jwt.encode(payload, current_app.config.get("SECRET_KEY"))

                current_app.logger.debug(f"TOKEN: {token}")

                return token

            except Exception as e:
                current_app.logger.error(e)
                return e

        def decode_auth_token(self, token):
            try:
                payload = jwt.decode(token, current_app.config.get("SECRET"))
                return payload["sub"]
            except jwt.ExpiredSignatureError:
                return "Signature expired."
            except jwt.InvalidSignatureError:
                return "Invalid token."
コード例 #4
0
ファイル: models.py プロジェクト: XiaoA/meal-planner-app
class Meal(database.Model):
    """
    Class that handles a user's meal planning.

    Users can add items from their saved recipe box to create meals.

    The following attributes of a meal are stored in this table:
        * meal_date: The date a user plans to have a meal (required)
        * meal_title: The (optional) title of the meal, assigned by the user (not required).
        * meal_notes: The (optional) notes about the meal, provided by the user (not required).
        * recipe_id: The Spoonacular recipe_id (Required).
        * recipe_title: The Spoonacular recipe_title (Required).
        * recipe_url: The source URL of the recipe (Required).
        * user_id: The user_id (Foreign key from User table; required).
    """

    __tablename__ = 'meals'

    id = database.Column(database.Integer, primary_key=True)

    meal_date = database.Column(database.DateTime,
                                nullable=False,
                                default=datetime.now())

    meal_title = database.Column(database.String(100), nullable=True)

    meal_notes = database.Column(database.String(1000), nullable=True)

    recipe_id = database.Column(database.Integer, nullable=False)

    recipe_title = database.Column(database.String, nullable=False)

    recipe_url = database.Column(database.String, nullable=False)

    user_id = database.Column(database.Integer,
                              database.ForeignKey('users.id'))

    def __init__(self, meal_date: datetime, meal_title: str, meal_notes: str,
                 recipe_id: int, recipe_title: str, recipe_url: str,
                 user_id: int):
        self.meal_date = meal_date
        self.meal_title = meal_title
        self.meal_notes = meal_notes

        self.recipe_id = recipe_id
        self.recipe_title = recipe_title
        self.recipe_url = recipe_url
        self.user_id = user_id
コード例 #5
0
class User(database.Model):
    "Class to represent users on the site"

    __tablename__ = 'users'

    id = database.Column(database.Integer, primary_key=True)
    email = database.Column(database.String, unique=True)
    password_hashed = database.Column(database.String(60))

    def __init__(self, email: str, password_plaintext: str):
        self.email = email
        self.password_hashed = bcrypt.generate_password_hash(
            password_plaintext,
            current_app.config.get('BCRYPT_LOG_ROUNDS')).decode('utf-8')

    def is_password_correct(self, password_plaintext: str):
        return bcrypt.check_password_hash(self.password_hashed,
                                          password_plaintext)

    def __repr__(self):
        return f'<User: {self.email}>'
コード例 #6
0
class ProviderObject(database.Model):

    __tablename__ = "data_store"

    id = database.Column(database.Integer,
                         primary_key=True,
                         autoincrement=True)
    model_id = database.Column(database.Integer, nullable=False)
    data_path = database.Column(database.String(512), nullable=False)

    def __init__(self, model_id, data_path):
        self.model_id = model_id
        self.data_path = data_path

    def to_json(self):
        return {
            "id": self.id,
            "model_id": self.model_id,
            "data_path": self.data_path,
            "filename": os.path.basename(self.data_path)
        }
コード例 #7
0
class User(database.Model):
    """
    Class that represents a user of the application

    The following attributes of a user are stored in this table:
        * email - email address of the user
        * hashed password - hashed password (using Flask-Bcrypt)
        * registered_on - date & time that the user registered
        * email_confirmation_sent_on - date & time that the confirmation email
        *                              was sent
        * email_confirmed - flag indicating if the user's email address has
        *                   been confirmed
        * email_confirmed_on - date & time that the user's email address was
        *                      confirmed

    REMEMBER: Never store the plaintext password in a database!
    """
    __tablename__ = 'users'

    id = database.Column(database.Integer, primary_key=True)
    email = database.Column(database.String, unique=True)
    password_hashed = database.Column(database.String(60))
    registered_on = database.Column(database.DateTime)
    email_confirmation_sent_on = database.Column(database.DateTime)
    email_confirmed = database.Column(database.Boolean, default=False)
    email_confirmed_on = database.Column(database.DateTime)

    def __init__(self, email: str, password_plaintext: str):
        """Create a new User object

        This constructor assumes that an email is sent to the new user to
        confirm their email address at the same time that the user is
        registered.
        """
        self.email = email
        self.password_hashed = self._generate_password_hash(password_plaintext)
        self.registered_on = datetime.now()
        self.email_confirmation_sent_on = datetime.now()
        self.email_confirmed = False
        self.email_confirmed_on = None

    def is_password_correct(self, password_plaintext: str):
        return bcrypt.check_password_hash(self.password_hashed,
                                          password_plaintext)

    def __repr__(self):
        return f'<User: {self.email}'

    @property
    def is_authenticated(self):
        """Return True if the user has been successfully registered."""
        return True

    @property
    def is_active(self):
        """Always True, as all users are active."""
        return True

    @property
    def is_anonymous(self):
        """Always False, as anonymous users aren't supported."""
        return False

    def get_id(self):
        """Return the user ID as a unicode string (`str`)."""
        return str(self.id)

    def set_password(self, password_plaintext: str):
        self.password_hashed = self._generate_password_hash(password_plaintext)

    @staticmethod
    def _generate_password_hash(password_plaintext: str):
        return bcrypt.generate_password_hash(
            password_plaintext,
            current_app.config.get('BCRYPT_LOG_ROUNDS')
        ).decode('utf-8')
コード例 #8
0
ファイル: models.py プロジェクト: XiaoA/meal-planner-app
class User(database.Model):
    """
    Class that handles user logins and authentication.

    The following attributes of a login are stored in this table:
        * user_id (as a foreign key. When a user successfully registers, the user_id is inserted into the logins table.)
        * email - the user's email
        * hashed password - hashed password (using Flask-Bcrypt)
        * A foreign key relationship with UserProfile, which joins data from the Users and UserProfiles tables
        * A foreign key relationship with Follow, which manages a self-referential follower/following relatitionship.
    """
    __tablename__ = 'users'

    id = database.Column(database.Integer, primary_key=True)

    email = database.Column(database.String, unique=True, nullable=False)

    password_hashed = database.Column(database.String(264), nullable=False)

    registered_on = database.Column(database.DateTime, nullable=True)

    email_confirmation_sent_on = database.Column(database.DateTime,
                                                 nullable=True)

    email_confirmed = database.Column(database.Boolean, default=False)

    email_confirmed_on = database.Column(database.DateTime, nullable=True)

    def __init__(self, email: str, password_plaintext: str):
        self.email = email
        self.password_hashed = self._generate_password_hash(password_plaintext)
        self.registered_on = datetime.now()
        self.email_confirmation_sent_on = datetime.now()
        self.email_confirmed = False
        self.email_confirmed_on = None

    user_profiles = database.relationship('UserProfile',
                                          backref='user',
                                          lazy='dynamic')

    user_recipes = database.relationship('RecipeBox',
                                         backref='user',
                                         lazy='dynamic')

    followed = database.relationship(
        'User',
        secondary=followers,
        primaryjoin=(followers.c.follower_id == id),
        secondaryjoin=(followers.c.followed_id == id),
        backref=database.backref('followers', lazy='dynamic'),
        lazy='dynamic')

    user_meals = database.relationship("Meal", backref='user', lazy='dynamic')

    def is_password_correct(self, password_plaintext: str):
        return bcrypt.check_password_hash(self.password_hashed,
                                          password_plaintext)

    def set_password(self, password_plaintext: str):
        self.password_hashed = self._generate_password_hash(password_plaintext)

    def follow(self, user):
        if not self.is_following(user):
            self.followed.append(user)

    def unfollow(self, user):
        if self.is_following(user):
            self.followed.remove(user)

    def is_following(self, user):
        return self.followed.filter(
            followers.c.followed_id == user.id).count() > 0

    @staticmethod
    def _generate_password_hash(password_plaintext):
        return bcrypt.generate_password_hash(
            password_plaintext,
            current_app.config.get('BCRYPT_LOG_ROUNDS')).decode('utf-8')

    def __repr__(self):
        return f'<User: {self.email} {self.password_hashed}>'

    @property
    def is_authenticated(self):
        """Return True if the user has been successfully registered."""
        return True

    @property
    def is_active(self):
        """Always True, as all users are active."""
        return True

    @property
    def is_anonymous(self):
        """Always False, as anonymous users aren't supported."""
        return False

    def get_id(self):
        """Return the user ID as a unicode string (`str`)."""
        return str(self.id)