1

我目前正在编写一个银行应用程序,您可以在下面看到我的代码:

from customer import Customer
from exceptions import KeyError

class Bank(object):
    """ All the bank operations are contained in this class e.g customer Registration """

    def __init__(self, name):
        self.name = str(name)
        self.customers = dict()
        self.registration_customer(name)

    def registration_customer(self, name):
        """ Registration of a new user to the bank
        Args:
            name (str): name of the customer
        """
        name = str(name)
        if not self.customers.get(name, None):
            self.customers[name] = Customer(name)

    def close_customer_account(self, name, account_type):
        """ close an account of a customer by name and account_type
        Args:
            name (str) : name of the account holder
            account_type (str) : type of account
        """
        name = str(name)
        account_type = str(account_type)
        customer = self.customers.get(name, None)
        if customer:
            customer.close_account(account_type)

    def get_customer_info(self, name):
        """ get customer info
        Args:
            name (str) : name of the customer
        """

        if not self.customers[name]:
            raise KeyError('I am sorry! Customer does not exist')

        return self.customers[name]

引发错误

如果您看到get_customer_info功能,如果name不存在,那么我正在提高一个error. error假设银行应用程序非常关键,这是我可以在 Python 中提出的最好方法吗?您也可以假设这是一个生产级代码。

 def get_customer_info(self, name):
        """ get customer info
        Args:
            name (str) : name of the customer
        """

        if not self.customers[name]:
            raise KeyError('I am sorry! Customer does not exist')

        return self.customers[name]
4

2 回答 2

1

我认为这将取决于软件的需求。理想情况下,应该在提交表单之前通知用户他们的输入无效,提交按钮变灰并提示输入用户名。

如果提交,则应记录错误以允许生成统计信息,如果这是非常严重或不寻常的错误,则应自动生成电子邮件并将其发送给相关人员。

用户应该被重定向回输入表单,他们之前提交的信息仍然完好无损,不要强迫用户重新提交整个表单。

于 2016-01-11T01:28:29.917 回答
0

假设类 dict 没有被重新定义。7号线,

    if not self.customers[name]:

如果名称未出现在字典中,将引发 KeyError。这意味着您的代码永远不会到达第 8 行。

    raise KeyError('I am sorry! Customer does not exist')

解决方案:我会首先发现错误。然后自定义错误输出。

    try:
        return self.customers[name]
    except KeyError:
        raise KeyError('I am sorry! Customer does not exist')

我更喜欢的另一种方法是写入标准错误。

    from __future__ import print_function
    import sys
    ...
        def error(self, *objs):
            print("[ERROR]:",*objs,file=sys.stderr)

        def get_info(self,name):
            try:
                return self.customer[name]
            except KeyError:
                self.error("CUSTOMER NAME NOT FOUND: %s"%(name))

我更喜欢替代方法,因为您可能不想在调用代码中处理异常。

于 2016-01-11T01:40:15.090 回答