我有这个奇怪的问题,当我运行我的代码时,我的程序会给我这个错误消息:
Traceback (most recent call last):
File "\\srv-fons-02\USV_Home$\6357\inf\Phyton\classes test 1.py", line 38, in <module>
time = Time(7, 61, 12) File "\\srv-fons-02\USV_Home$\6357\inf\Phyton\classes test 1.py", line 8, in __init__
self = int_to_time(int(self)) NameError: name 'int_to_time' is not defined
它告诉我函数int_to_time
未定义,而它是。我也只在我的__init__
中遇到此问题,而不是在我使用它的其他地方(例如add_time
中使用__add__
)。我不知道为什么它可以用于某些功能。我尝试取消int_to_time()
中的__init__
并且在使用__add__
时没有收到错误消息。
如果有人能帮助我那会很棒,因为我被困住了。
这是我的代码:
class Time:
def __init__(self, hour=0, minute=0, second=0):
self.hour = hour
self.minute = minute
self.second = second
if not 0 <= minute < 60 and 0<= second < 60:
self = int_to_time(int(self))
def __str__(self):
return '%.2d:%.2d:%.2d' % (self.hour, self.minute, self.second)
def __int__(self):
minute = self.hour * 60 + self.minute
second = minute * 60 + self.second
return int(second)
def __add__(self, other):
if isinstance(other, Time):
return self.add_time(other)
else:
return self.increment(other)
def __radd__(self, other):
return other + int(self)
def add_time(self, other):
seconds = int(self) + int(other)
return int_to_time(seconds)
def increment(self, seconds):
seconds += int(self)
return int_to_time(seconds)
"""Represents the time of day.
atributes: hour, minute, second"""
time = Time(7, 61, 12)
time2 = Time(80, 9, 29)
def int_to_time(seconds):
time = Time()
minutes, time.second = divmod(seconds, 60)
time.hour, time.minute = divmod(minutes, 60)
return time
print(time + time2)
print(time + 9999)
print(9999 + time)
答案 0 :(得分:2)
在看到定义之前调用int_to_time
的事实是一个问题。
在定义Time
之前初始化两个int_to_time
个对象:
time = Time(7, 61, 12)
time2 = Time(80, 9, 29)
def int_to_time(seconds):
time = Time()
并在Time.__init__
内部,您在某个条件后调用int_to_time
。如果满足该条件,则对int_to_time
的调用将失败。
只需在定义后移动初始化就足够了。由于int_to_time
似乎与您的Time
类密切相关,因此将该类定义为该类的@staticmethod
并放下所有关于何时定义的担忧并不是一个坏主意。