コード例 #1
0
ファイル: account_base.py プロジェクト: thinknirmal/puppet
    def update_account(self, **payload):
        _output = OutputManager()

        try:
            self.protect()

            _validator_key = self.update_account.__name__
            _update_list = {}

            try:
                # Validate user inputs
                InputValidator(_validator_key).validate(payload)

                if "first_name" in payload:
                    _update_list[Account.first_name] = payload["first_name"]

                if "last_name" in payload:
                    _update_list[Account.last_name] = payload["last_name"]

                if "password" in payload:
                    # Hash the received password
                    _update_list[Account.password] = self.hash_password(payload["password"])

                if not _update_list:
                    return _output.output(status=ResponseCodes.BAD_REQUEST["invalidQuery"])

                else:
                    try:
                        # Update table with new values
                        self.puppet_db.query(Account).filter(Account.id == self.get_account_id()).update(_update_list)

                        if "password" in payload:
                            try:
                                self.delete_all_sessions()

                            except SessionError:
                                self.puppet_db.rollback()

                                return _output.output(status=ResponseCodes.INTERNAL_SERVER_ERROR["internalError"])

                        self.puppet_db.commit()

                        return _output.output(status=ResponseCodes.OK["success"])

                    except SQLAlchemyError:
                        self.puppet_db.rollback()

                        return _output.output(status=ResponseCodes.INTERNAL_SERVER_ERROR["internalError"])

            except MultipleInvalid as e:
                error_parser = InputErrorParser()

                return _output.output(
                    status=ResponseCodes.BAD_REQUEST["invalidQuery"], data=error_parser.translate_errors(e)
                )

        except InvalidSession:
            return _output.output(status=ResponseCodes.UNAUTHORIZED["authError"])
コード例 #2
0
ファイル: session_base.py プロジェクト: thinknirmal/puppet
    def create_session(self, **payload):
        _output = OutputManager()
        _validator_key = self.create_session.__name__

        try:
            # Validate user inputs
            InputValidator(_validator_key).validate(payload)

            try:
                _account = self.__get_account(email=payload['email'])

                # Compare user password with hash
                if self.__verify_password_hash(payload['password'], _account.password):
                    _new_token = binascii.hexlify(os.urandom(SessionBase.AUTH_TOKEN_LENGTH))
                    _new_token = _new_token.decode(encoding='utf-8')

                    try:
                        self.session_db.set(_new_token, _account.id)
                        self.session_db.expire(_new_token, SessionBase.AUTH_TOKEN_TTL)
                        self.session_db.rpush(_account.id, _new_token)
                        self.session_db.ltrim(_account.id, 0, 999)

                        return _output.output(
                            status=ResponseCodes.OK['success'],
                            data={
                                'auth_token': _new_token
                            }
                        )

                    except RedisError as e:
                        return _output.output(
                            status=ResponseCodes.INTERNAL_SERVER_ERROR['internalError']
                        )

                else:
                    return _output.output(
                        status=ResponseCodes.UNAUTHORIZED['authError']
                    )
            except (NoResultFound, MultipleResultsFound):
                return _output.output(
                    status=ResponseCodes.UNAUTHORIZED['authError']
                )
            except SQLAlchemyError:
                return _output.output(
                    status=ResponseCodes.INTERNAL_SERVER_ERROR['internalError']
                )

        except MultipleInvalid as e:
            error_parser = InputErrorParser()

            return _output.output(
                status=ResponseCodes.BAD_REQUEST['invalidQuery'],
                data=error_parser.translate_errors(e)
            )
コード例 #3
0
    def create_session(self, **payload):
        _output = OutputManager()
        _validator_key = self.create_session.__name__

        try:
            # Validate user inputs
            InputValidator(_validator_key).validate(payload)

            try:
                _account = self.__get_account(email=payload['email'])

                # Compare user password with hash
                if self.__verify_password_hash(payload['password'],
                                               _account.password):
                    _new_token = binascii.hexlify(
                        os.urandom(SessionBase.AUTH_TOKEN_LENGTH))
                    _new_token = _new_token.decode(encoding='utf-8')

                    try:
                        self.session_db.set(_new_token, _account.id)
                        self.session_db.expire(_new_token,
                                               SessionBase.AUTH_TOKEN_TTL)
                        self.session_db.rpush(_account.id, _new_token)
                        self.session_db.ltrim(_account.id, 0, 999)

                        return _output.output(
                            status=ResponseCodes.OK['success'],
                            data={'auth_token': _new_token})

                    except RedisError as e:
                        return _output.output(
                            status=ResponseCodes.
                            INTERNAL_SERVER_ERROR['internalError'])

                else:
                    return _output.output(
                        status=ResponseCodes.UNAUTHORIZED['authError'])
            except (NoResultFound, MultipleResultsFound):
                return _output.output(
                    status=ResponseCodes.UNAUTHORIZED['authError'])
            except SQLAlchemyError:
                return _output.output(status=ResponseCodes.
                                      INTERNAL_SERVER_ERROR['internalError'])

        except MultipleInvalid as e:
            error_parser = InputErrorParser()

            return _output.output(
                status=ResponseCodes.BAD_REQUEST['invalidQuery'],
                data=error_parser.translate_errors(e))
コード例 #4
0
    def create_account(self, **payload):
        _output = OutputManager()
        _validator_key = self.create_account.__name__

        try:
            # Validate user inputs
            InputValidator(_validator_key).validate(payload)

            # Check if account already exists
            try:
                if self.__has_account(email=payload['email']):
                    return _output.output(
                        status=ResponseCodes.FORBIDDEN['accountExists'],
                        data={
                            'email':
                            'Email address is already associated with an existing account'
                        })
            except SQLAlchemyError:
                return _output.output(status=ResponseCodes.
                                      INTERNAL_SERVER_ERROR['internalError'])

            # Hash the received password
            payload['password'] = self.hash_password(payload['password'])

            try:
                # Create a new account
                _new_account = Account(**payload)
                self.puppet_db.add(_new_account)
                self.puppet_db.commit()

                return _output.output(status=ResponseCodes.OK['success'])
            except SQLAlchemyError:
                self.puppet_db.rollback()

                return _output.output(status=ResponseCodes.
                                      INTERNAL_SERVER_ERROR['internalError'])

        except MultipleInvalid as e:
            error_parser = InputErrorParser()

            return _output.output(
                status=ResponseCodes.BAD_REQUEST['invalidQuery'],
                data=error_parser.translate_errors(e))
コード例 #5
0
ファイル: account_base.py プロジェクト: thinknirmal/puppet
    def create_account(self, **payload):
        _output = OutputManager()
        _validator_key = self.create_account.__name__

        try:
            # Validate user inputs
            InputValidator(_validator_key).validate(payload)

            # Check if account already exists
            try:
                if self.__has_account(email=payload["email"]):
                    return _output.output(
                        status=ResponseCodes.FORBIDDEN["accountExists"],
                        data={"email": "Email address is already associated with an existing account"},
                    )
            except SQLAlchemyError:
                return _output.output(status=ResponseCodes.INTERNAL_SERVER_ERROR["internalError"])

            # Hash the received password
            payload["password"] = self.hash_password(payload["password"])

            try:
                # Create a new account
                _new_account = Account(**payload)
                self.puppet_db.add(_new_account)
                self.puppet_db.commit()

                return _output.output(status=ResponseCodes.OK["success"])
            except SQLAlchemyError:
                self.puppet_db.rollback()

                return _output.output(status=ResponseCodes.INTERNAL_SERVER_ERROR["internalError"])

        except MultipleInvalid as e:
            error_parser = InputErrorParser()

            return _output.output(
                status=ResponseCodes.BAD_REQUEST["invalidQuery"], data=error_parser.translate_errors(e)
            )
コード例 #6
0
    def update_account(self, **payload):
        _output = OutputManager()

        try:
            self.protect()

            _validator_key = self.update_account.__name__
            _update_list = {}

            try:
                # Validate user inputs
                InputValidator(_validator_key).validate(payload)

                if 'first_name' in payload:
                    _update_list[Account.first_name] = payload['first_name']

                if 'last_name' in payload:
                    _update_list[Account.last_name] = payload['last_name']

                if 'password' in payload:
                    # Hash the received password
                    _update_list[Account.password] = self.hash_password(
                        payload['password'])

                if not _update_list:
                    return _output.output(
                        status=ResponseCodes.BAD_REQUEST['invalidQuery'])

                else:
                    try:
                        # Update table with new values
                        self.puppet_db.query(Account).filter(
                            Account.id == self.get_account_id()).update(
                                _update_list)

                        if 'password' in payload:
                            try:
                                self.delete_all_sessions()

                            except SessionError:
                                self.puppet_db.rollback()

                                return _output.output(
                                    status=ResponseCodes.
                                    INTERNAL_SERVER_ERROR['internalError'])

                        self.puppet_db.commit()

                        return _output.output(
                            status=ResponseCodes.OK['success'])

                    except SQLAlchemyError:
                        self.puppet_db.rollback()

                        return _output.output(
                            status=ResponseCodes.
                            INTERNAL_SERVER_ERROR['internalError'])

            except MultipleInvalid as e:
                error_parser = InputErrorParser()

                return _output.output(
                    status=ResponseCodes.BAD_REQUEST['invalidQuery'],
                    data=error_parser.translate_errors(e))

        except InvalidSession:
            return _output.output(
                status=ResponseCodes.UNAUTHORIZED['authError'])
コード例 #7
0
ファイル: consignor_base.py プロジェクト: thinknirmal/puppet
    def create_consignor(self, **payload):
        _output = OutputManager()

        try:
            self.protect()

            _validator_key = self.create_consignor.__name__

            try:
                # Validate user inputs
                InputValidator(_validator_key).validate(payload)

                # Extract children values as they will be removed in the next step
                _consignor_payload = payload
                _address_payload = _consignor_payload['address']

                # Remove nested arrays and dictionaries
                remove_children(_consignor_payload)

                # Set account ID as foreign key
                _consignor_payload.update({
                    Consignor.fk_account_id.key: self.get_account_id()
                })

                try:
                    # Create a new consignor
                    _new_consignor = Consignor(**_consignor_payload)
                    self.puppet_db.add(_new_consignor)

                    # Insert ID of the new consignor
                    self.puppet_db.flush()
                    _consignor_insert_id = _new_consignor.id

                    #################
                    # ## Address ## #
                    #################
                    for address in _address_payload:
                        # Extract children values as they will be removed in the next step
                        _contact_payload = address['contact']
                        _dispatch_time_payload = address['dispatch_time']

                        if 'geocode' in address:
                            _geo_payload = address['geocode']
                        else:
                            _geo_payload = {}

                        # Remove nested arrays and dictionaries
                        remove_children(address)

                        # Set consignor ID as foreign key
                        address.update({
                            Address.fk_consignor_id.key: _consignor_insert_id
                        })

                        # Create a new address
                        _new_address = Address(**address)
                        self.puppet_db.add(_new_address)

                        # Insert ID of the new address
                        self.puppet_db.flush()
                        _address_insert_id = _new_address.id

                        #################
                        # ## Contact ## #
                        #################
                        for contact in _contact_payload:
                            # Remove nested arrays and dictionaries
                            remove_children(contact)

                            # Set address ID as foreign key
                            contact.update({
                                AddressContact.fk_address_id.key: _address_insert_id
                            })

                            # Create new contact
                            _new_contact = AddressContact(**contact)
                            self.puppet_db.add(_new_contact)

                        #######################
                        # ## Dispatch time ## #
                        #######################
                        # Find overlaps in time ranges and merge them when possible
                        _dispatch_time_payload = list(merge_range(
                            ranges=_dispatch_time_payload,
                            start_key=AddressDispatchTime.start_time.key,
                            end_key=AddressDispatchTime.end_time.key
                        ))

                        # Iterate and store
                        for dispatch_time in _dispatch_time_payload:
                            # Remove nested arrays and dictionaries
                            remove_children(dispatch_time)

                            # Set address ID as foreign key
                            dispatch_time.update({
                                AddressDispatchTime.fk_address_id.key: _address_insert_id
                            })

                            # Create new dispatch time
                            _new_dispatch_time = AddressDispatchTime(**dispatch_time)
                            self.puppet_db.add(_new_dispatch_time)

                        #################
                        # ## Geocode ## #
                        #################
                        if _geo_payload:
                            # Remove nested arrays and dictionaries
                            remove_children(_geo_payload)

                            # Set address ID as foreign key
                            _geo_payload.update({
                                AddressGeo.fk_address_id.key: _address_insert_id
                            })

                            # Create new geocode entry
                            _new_geo = AddressGeo(**_geo_payload)
                            self.puppet_db.add(_new_geo)

                    # Commit database changes
                    self.puppet_db.commit()

                    # Respond with success message
                    return _output.output(
                        status=ResponseCodes.OK['success']
                    )

                except SQLAlchemyError:
                    # Rollback database changes
                    self.puppet_db.rollback()

                    # Respond with failure message
                    return _output.output(
                        status=ResponseCodes.INTERNAL_SERVER_ERROR['internalError']
                    )

            except MultipleInvalid as e:
                # Parser to streamline Voluptuous errors
                error_parser = InputErrorParser()

                # Respond with input validation errors
                return _output.output(
                    status=ResponseCodes.BAD_REQUEST['invalidQuery'],
                    data=error_parser.translate_errors(e)
                )

        except InvalidSession:
            # Kick the intruder out
            return _output.output(
                status=ResponseCodes.UNAUTHORIZED['authError']
            )