我正在尝试创建一个营养计算器,我对 init ()有一些问题。
def main():
print "Welcome to the MACRONUTRIENT CALCULATOR"
User_nutrition = get_data()
User_nutrition.calorie_budget()
class get_data(object):
def __init__(self, calorie_deficit):
self.calorie_deficit = calorie_deficit
def calorie_bugdet(self): # ask for calorie deficit
self.calorie_deficit = float(input("Enter you calorie deficit: "))
if __name__ == "__main__":
main()
我收到错误:
TypeError: __init__() takes exactly 2 arguments (1 given)
但是,当我查看文档示例时,我看到了
class Complex:
def __init__(self, realpart, imagpart):
self.r = realpart
self.i = imagpart
很好!我有点困惑。我知道 init (self)有助于初始化对象并在内存中为它分配空间,但我所知道的就是它。我是否遗漏了有关 init 和我应该了解的自我的任何其他信息?
答案 0 :(得分:9)
问题在于:
User_nutrition = get_data() # one argument self
# and
def __init__(self, calorie_deficit): # two arguments
你应该做
User_nutrition = get_data(5) # add one argument
# or
def __init__(self, calorie_deficit = 0): # make one argument default
答案 1 :(得分:6)
首先,__init__
不会为内存中的对象分配空间,而是由__new__
自定义。已经通过调用点__init__
创建了实例。在这种情况下,您接受两个参数:
class get_data(object):
def __init__(self, calorie_deficit):
self.calorie_deficit = calorie_deficit
第一个是实例(隐式传递),因此您需要传递的唯一参数是calorie_deficit
。但是在main()
来电:
User_nutrition = get_data()
您没有传递该参数,因此只传递了实例。因此错误:
TypeError: __init__() takes exactly 2 arguments (1 given)