| 1234567891011121314151617181920212223242526272829303132333435363738394041424344454647 | from sqlalchemy import Column, Integer, Stringfrom werkzeug.security import generate_password_hash, check_password_hashfrom app.libs.error_code import AuthFailedfrom app.models.base import Base, dbclass User(Base):    id = Column(Integer, primary_key=True)    email = Column(String(24), unique=True, nullable=False)    nickname = Column(String(24), unique=True)    _password = Column('password', String(225))    def keys(self):        return ['id', 'email', 'nickname']    @property    def password(self):        return self._password    @password.setter    def password(self, raw):        self._password = generate_password_hash(raw)    @staticmethod    def register_by_email(nickname, account, secret):        with db.auto_commit():            user = User()            user.nickname = nickname            user.email = account            user.password = secret            db.session.add(user)    @staticmethod    def verify(email, password):        user = User.query.filter_by(email=email).first_or_404()        if not user.check_password(password):            raise AuthFailed()        return {'uid': user.id}    def check_password(self, raw):        if not self._password:            return False        return check_password_hash(self._password, raw)    # def _set_fields(self):    #     # self._exclude = ['_password']    #     self._fields = ['_password', 'nickname']
 |