类:一种我们自己定义出来的数据类型,就像C中的int(PS:说句没用的,在IDLE中打的时候真的要注意空格的问题,当然要是用Pycharm就没什么问题。
对象:一个具体的类
两个东西的关系就好像是
int a//int是类,a是具体的对象
一个类可以自带一定的属性,用__init__(self,...)函数来定义
比如说:
class Student(object)
def __init__(self,name,score)
self.name=name
self.score=score
#将name和score两个属性绑定进去
#第一个参数永远是self,表示这个实例
有了def__init__之后,参数就不能传空的了
bart=Student('Sam',89)
同时可以在类内部定义方法
class Student(object)
def __init__(self,name,score)
self.name=name
self.score=score
def print_score(self)
print('The grade is %d' %score)
##这样的话我们就可以忽略内部细节,直接得到某个实例的某个信息
私有变量(不允许从外部访问)
很简单,在变量前面加__即可
class Student(object)
def __init__(self,name,score)
self.__name=name
self.__score=score
#这样两个变量就无法被外部所访问
如果想要得到name和score,那么可以在Student中加get_grade方法
class Student(object)
def get_grade(self)
return self.score
def get_name(self)
return self.name
#这样即可
|