Student.py文件:
#!/usr/bin/env python# -*- coding: utf-8 -*-
'Student module'
__author__ = 'afei'
def __init__(self, name, score):
self.name = name
self.score = score
def print_score(self):
print "%s : %d" % (self.name, self.score)
引用模块:
import Student
st = Student('afei', 99)
st.print_score()
运行时出现 TypeError:'module' object is not callable
原因是Python引用模块方式有两种:
import module 使用时需加上模块名的限定
from module import * 直接使用没有限定
修改上述引用:
import Student
st = Student.Student('afei', 99)
st.print_score()
或者
from Student import *
st = Student('afei', 99)
st.print_score()
或者
from Student import Student
st = Student('afei', 99)
st.print_score()