示例:
class MyClass:
"""一个简单的类实例"""
i = 12345
def f(self):
return 'hello world'
# 实例化类
x = MyClass()
# 访问类的属性和方法
print("MyClass 类的属性 i 为:", x.i)
print("MyClass 类的方法 f 输出为:", x.f())
类方法:
#类定义
class people:
#定义基本属性
name = ''
age = 0
#定义私有属性,私有属性在类外部无法直接进行访问
__weight = 0
#定义构造方法
def __init__(self,n,a,w):
self.name = n
self.age = a
self.__weight = w
def speak(self):
print("%s 说: 我 %d 岁。" %(self.name,self.age))
# 实例化类
p = people('runoob',10,30)
p.speak()
MyClass 类的属性 i 为: 12345 MyClass 类的方法 f 输出为: hello world
子类(派生类 DerivedClassName)会继承父类(基类 BaseClassName)的属性和方法
#类定义
class people:
#定义基本属性
name = ''
age = 0
#定义私有属性,私有属性在类外部无法直接进行访问
__weight = 0
#定义构造方法
def __init__(self,n,a,w):
self.name = n
self.age = a
self.__weight = w
def speak(self):
print("%s 说: 我 %d 岁。" %(self.name,self.age))
#单继承示例
class student(people):
grade = ''
def __init__(self,n,a,w,g):
#调用父类的构函
people.__init__(self,n,a,w)
self.grade = g
#覆写父类的方法
def speak(self):
print("%s 说: 我 %d 岁了,我在读 %d 年级"%(self.name,self.age,self.grade))
s = student('ken',10,60,3)
s.speak()
ken 说: 我 10 岁了,我在读 3 年级
可以将上面的print语句改写为:
print(f'{self.name}说: 我{self.age}岁,读{self.grade}年级')
#类定义
class people:
#定义基本属性
name = ''
age = 0
#定义私有属性,私有属性在类外部无法直接进行访问
__weight = 0
#定义构造方法
def __init__(self,n,a,w):
self.name = n
self.age = a
self.__weight = w
def speak(self):
print("%s 说: 我 %d 岁。" %(self.name,self.age))
#单继承示例
class student(people):
grade = ''
def __init__(self,n,a,w,g):
#调用父类的构函
people.__init__(self,n,a,w)
self.grade = g
#覆写父类的方法
def speak(self):
print("%s 说: 我 %d 岁了,我在读 %d 年级"%(self.name,self.age,self.grade))
#另一个类,多继承之前的准备
class speaker():
topic = ''
name = ''
def __init__(self,n,t):
self.name = n
self.topic = t
def speak(self):
print("我叫 %s,我是一个演说家,我演讲的主题是 %s"%(self.name,self.topic))
#多继承
class sample(speaker,student):
a =''
def __init__(self,n,a,w,g,t):
student.__init__(self,n,a,w,g)
speaker.__init__(self,n,t)
test = sample("Tim",25,80,4,"Python")
test.speak() #方法名同,默认调用的是在括号中参数位置排前父类的方法
如果你的父类方法的功能不能满足你的需求,你可以在子类重写你父类的方法
# 定义父类
class parent:
def mymethod(self):
print('调用父类方法')
# 定义子类
class child(parent):
def mymethod(self):
print('调用子类方法')
# 子类实例
c = child()
# 子类调用重写方法
c.mymethod()
#用子类对象调用父类已被覆盖的方法
super(Child,c).myMethod()
调用子类方法 调用父类方法
__private_attrs:两个下划线开头,声明该属性为私有,不能在类的外部被使用或直接访问。在类内部的方法中使用时?self.__private_attrs。
class JustCounter:
__secretCount = 0 # 私有变量
publicCount = 0 # 公开变量
def count(self):
self.__secretCount += 1
self.publicCount += 1
print (self.__secretCount)
counter = JustCounter()
counter.count()
counter.count()
print (counter.publicCount)
print (counter.__secretCount) # 报错,实例不能访问私有变量
在类的内部,使用 def 关键字来定义一个方法,与一般函数定义不同,类方法必须包含参数?self,且为第一个参数,self?代表的是类的实例。
self?的名字并不是规定死的,也可以使用?this,但是最好还是按照约定使用?self。
__private_method:两个下划线开头,声明该方法为私有方法,只能在类的内部调用 ,不能在类的外部调用。self.__private_methods。
class Site:
def __init__(self, name, url):
self.name = name # public
self.__url = url # private
def who(self):
print('name : ', self.name)
print('url : ', self.__url)
def __foo(self): # 私有方法
print('这是私有方法')
def foo(self): # 公共方法
print('这是公共方法')
self.__foo()
x = Site('菜鸟教程', 'www.runoob.com')
x.who() # 正常输出
x.foo() # 正常输出
x.__foo() # 报错
异常捕捉可以使用?try/except?语句。
while True:
try:
x = int(input('请输入一个数字:'))
break
except ValueError:
print('您输入的不是数字,请尝试重新输入')
?一个except子句可以同时处理多个异常,这些异常将被放在一个括号里成为一个元组,例如:
except?(RuntimeError,?TypeError,?NameError):
? ??pass
Python 使用 raise 语句抛出一个指定的异常。
语法:
raise [Exception [, args [, traceback]]]
x = 10
if x > 5:
raise Exception('x不能大于5,x的值为:{}'.format(x))
class MyError(Exception):
def __init__(self, value):
self.value = value
def __str__(self):
return repr(self.value)
try:
raise MyError(2*2)
except MyError as e:
print('My exception occurred, value:', e.value)
Python基础篇(九):错误和异常_python 异常错误-CSDN博客
import os
# os.getcwd() 获取当前工作路径
p = os.getcwd()
# D:\python基础学习\初级基础
print(p)
# os.chdir() 切换工作路径
m = os.chdir('D:/python基础学习')
print(m) #None
# os.environ 获取所有的环境变量
n = os.environ
# print(n)
# os.getlogin()返回通过控制终端进程进行登录的用户名
a = os.getlogin()
print(a)
# os.name 返回python运行的环境系统
b = os.name
print(b)
# os.mkdir 创建一个新的文件价夹,不能创建多级的文件夹
# 当文件夹已经存在时会报错FileExistsError
# 创建多级的文件夹会报错FileNotFoundError
c = os.mkdir('test')
print(c)
# os.makedirs() 创建多级目录
# 创建a文件夹,并且在a文件夹下创建b文件夹
d = os.makedirs('a/b')
print(d)
OSError: [WinError 145] 目录不是空的。'filename'
src?
最后的路径或文件的名字,中间路径都必须要存在,否则就会抛出FileNotFoundError
# 根据相对路径返回绝对路径
print(os.path.abspath('a/c/aaa.txt'))
# 检查文件是否存在
print(os.path.exists('a/c'))
# 检查aaa.txt文件是否存在
print(os.path.exists('a/c/aaa.txt'))
# 返回文件a最后的访问时间
print(os.path.getatime('a'))
t = os.path.getatime('a') # 获取时间戳
tupTime = time.localtime(t) # 将时间戳转换成本地时间
stadardTime = time.strftime("%Y-%m-%d %H:%M:%S", tupTime) # 转换成对应的时间格式
print(stadardTime) # 2022-09-18 11:44:28
# 获取aaa.txt文件的创建时间(windows)
t = os.path.getctime('a/c/aaa.txt')
# 获取文件aaa.txt的大小
os.path.getsize('a/c/aaa.txt')
a = os.path.split('D:/aa/bb')
print(type(a)) # <class 'tuple'>
print(a) # ('D:/aa', 'bb') 头部和尾部
# 当最后为’/‘时
a = os.path.split('D:/aa/bb/')
print(a) # ('D:/aa/bb', '') 尾部为空
# 当路径path中没有路径的时候
a = os.path.split('aa')
print(a) # ('', 'aa') # 头部为空
# 当传入的路径为空时
a = os.path.split( '')
print(a) # ('', '') # 头部和尾部均为空
# 判断文件是否存在
os.path.isfile('a/c/aaa.txt')
# 判断路径a/c是否存在
os.path.isdir('a/c')
os.open(file, flags[, mode])
'''
file 文件名
flags 模式
mode 可选参数, mode 设置其权限状态
'''
mode参数:
字符 意义
'r' 文本读取(默认)
'w' 文本写入,并先清空文件(慎用),文件不存在则创建
'x' 文本写,排它性创建,如果文件已存在则失败
'a' 文本写,如果文件存在则在末尾追加,不存在则创建
open(file, mode='r', encoding=None)
#file 包含文件名的字符串,可以是绝对路径,可以是相对路径。
#mode 一个可选字符串,用于指定打开文件的模式。默认值 r 表示文本读。
#encoding 文本模式下指定文件的字符编码
# open打开文件
fb = open(file=r'D:\python基础学习\初级基础\分支语句\a.txt',mode='r',encoding='utf-8')
# 读取文件
ct = fb.read()
# 打印文件内容
print(ct)
# 手动关闭文件
fb.close()
with + open(文件地址)as 函数名:
不需要你手动调用fs.close()
自动帮你关闭文件
with open(file=r"a.txt",mode="r",encoding="utf-8") as fb:
ct = fb.read()
print(ct)
?二进制读取:# mode=rb,不需要encoding参数
# mode=rb,不需要encoding参数
with open(file=r"a.txt",mode="rb") as fb:
content =fb.read()
print(content)
#响应:
b'\xe8\xbf\x99\xe9\x87\x8c\xe6\x98\xaf\xe7\xac\xac\xe4\xb8\x80\xe8\xa1\x8c\xe5\x8f\xa5\xe5\xad\x90\r\n\xe8\xbf\x99\xe6\x98\xaf\xe6\x98\xaf\xe7\xac\xac\xe4\xba\x8c\xe8\xa1\x8c\xe5\x8f\xa5\xe5\xad\x90\r\n\xe8\xbf\x99\xe9\x87\x8c\xe6\x98\xaf\xe7\xac\xac\xe4\xb8\x89\xe8\xa1\x8c\xe5\x8f\xa5\xe5\xad\x90\r\n'
mode="w":
with open(file=r'a.txt',mode='w',encoding='utf-8') as fb:
fb.write('我就是写入的内容')
?写二进制文件:将图片二进制信息写入文件中,并存到本地
import requests
url = 'https://pics4.baidu.com/feed/6c224f4a20a4462378cd6e8eaf21e7060df3d7e7.png@f_auto?token=233072b88414d0254ef5f233d9271209'
response = requests.get(url)
with open('疯批少女','wb') as f:
f.write(response.content)