如何修复python中的“name'self'is not defined”错误?

2024-05-31 23:45:19 发布

您现在位置:Python中文网/ 问答频道 /正文

我正在努力学习python-OOP,我被下面的错误困住了。你知道吗

Exception has occurred: NameError
name 'self' is not defined
  File "/home/khalid/Desktop/MiniProject3/test1.py", line 27, in <module>
    login = first_class (self.Bank_Users.keys(), self.Bank_Users.values())
  File "/home/khalid/anaconda3/lib/python3.7/runpy.py", line 85, in _run_code
    exec(code, run_globals)
  File "/home/khalid/anaconda3/lib/python3.7/runpy.py", line 96, in _run_module_code
    mod_name, mod_spec, pkg_name, script_name)
  File "/home/khalid/anaconda3/lib/python3.7/runpy.py", line 263, in run_path
    pkg_name=pkg_name, script_name=fname)

我曾试图寻找可能已经解决的类似问题,但我找不到克服此错误的方法。你知道吗

class first_class(object):

    def __init__(self, UserName, Password, Bank_Users):
        self.UserName = UserName
        self.Password = Password
        self.Bank_Users = {"Aldo": "1234"}


    def login_or_exit(self):

        while True:
            print("Please Enter User Name")
            self.UserName = input(">> ")
            print("Please Enter Password")
            self.Password = input(">> ")

            if self.UserName in self.Bank_Users.keys() and self.Password in self.Bank_Users.values():
                print("Logging into", self.UserName)

            else:
                print("Unsuccesful!!")

login = first_class (self.Bank_Users.keys(), self.Bank_Users.values())
login.login_or_exit()

Tags: runnameinpyselfhomelineusername
1条回答
网友
1楼 · 发布于 2024-05-31 23:45:19

正确地执行此操作可能看起来像:

class BankLoginSystem(object):
    def __init__(self, bank_users):
        self.bank_users = bank_users
        self.logged_in_user = None
    def login_or_exit(self):
        while True:
            print("Please Enter User Name")
            attempted_user = input(">> ")
            print("Please Enter Password")
            attempted_password = input(">> ")
            if attempted_password == self.bank_users.get(attempted_user):
                self.logged_in_user = attempted_user
                print("Success!!")
                return
            else:
                print("Unsuccesful!!")

# the user database is independent of the implementation
bank_users = { "Aldo": "1234" }

login = BankLoginSystem(bank_users)
login.login_or_exit()
print("Logged in user is: %s" % login.logged_in_user)

请注意,我们没有将用户名和密码作为对象的初始化参数,因为一个对象在其生命周期内可以有多个用户登录,这样做没有意义。你知道吗

类似地,应该保持私有的东西(如尝试的密码)我们不存储在类成员变量中,而是严格地保持为局部变量,这样它们就不会泄漏到范围之外。(在一个真实的系统中,您希望您的密码数据库有咸哈希,而不是真正的密码,如果密码数据库本身泄漏,则包含损坏)。你知道吗

顺便说一句,请注意,一般来说,将I/O逻辑与后端存储表示结合起来是个坏主意—通常,您希望将域建模的纯对象与发生的与用户的任何交互分离开来。你知道吗

相关问题 更多 >