Python | 内置函数(BIF)
Python内置函数 | V3.9.1 | 共计155个
还没学完, 还没记录完, 不知道自己能不能坚持记录下去
1.ArithmeticError
2.AssertionError
3.AttributeError
4.BaseException
5.BlockingIOError
6.BrokenPipeError
7.BufferError
8.BytesWarning
9.ChildProcessError
10.ConnectionAbortedError
11.ConnectionError
12.ConnectionRefusedError
13.ConnectionResetError
14.DeprecationWarning
15.EOFError
16.Ellipsis
17.EnvironmentError
18.Exception
19.False
20.FileExistsError
21.FileNotFoundError
22.FloatingPointError
23.FutureWarning
24.GeneratorExit
25.IOError
26.ImportError
27.ImportWarning
28.IndentationError
29.IndexError
30.InterruptedError
31.IsADirectoryError
32.KeyError
33.KeyboardInterrupt
34.LookupError
35.MemoryError
36.ModuleNotFoundError
37.NameError
38.None
39.NotADirectoryError
40.NotImplemented
41.NotImplementedError
42.OSError
43.OverflowError
44.PendingDeprecationWarning
45.PermissionError
46.ProcessLookupError
47.RecursionError
48.ReferenceError
49.ResourceWarning
50.RuntimeError
51.RuntimeWarning
52.StopAsyncIteration
53.StopIteration
54.SyntaxError
55.SyntaxWarning
56.SystemError
57.SystemExit
58.TabError
59.TimeoutError
60.True
61.TypeError
62.UnboundLocalError
63.UnicodeDecodeError
64.UnicodeEncodeError
65.UnicodeError
66.UnicodeTranslateError
67.UnicodeWarning
68.UserWarning
69.ValueError
70.Warning
71.WindowsError
72.ZeroDivisionError
73.__build_class__
74.__debug__
75.__doc__
76.__import__
77.__loader__
78.__name__
79.__package__
80.__spec__
81.abs
82.all
83.any
84.ascii
85.bin
86.bool
87.breakpoint
88.bytearray
89.bytes
90.callable
91.chr
92.classmethod
修饰符:类方法 @classmethod | 无需显式地传递类名做实参
class Computer:
# 类属性modules
__modules = {"cpu":"Intel", "内存":"镁光", "硬盘":"970-Pro"}
# 设定修饰符@类方法 | 类的函数或者叫类的方法output_modules
@classmethod
def output_modules(cls):
for (i,s) in cls.__modules.items():
print(i, ':', s)
# 调用类的方法output_modules,无需显式地传递类名做实参
Computer.output_modules()
#-------------------------------------------------------------
# 输出结果:
# cpu : Intel
# 内存 : 镁光
# 硬盘 : 970-Pro
也可被其他类直接进行调用(感觉有点全局的意思), 看例子代码如下:
class Computer:
# 类属性modules
__modules = {"cpu":"Intel", "内存":"镁光", "硬盘":"970-Pro"}
# 设定修饰符@类方法 | 类的函数或者叫类的方法output_modules
@classmethod
def output_modules(cls):
for (i,s) in cls.__modules.items():
print(i, ':', s)
class OtherClass:
def __init__(self):
pass
def _test_OtherClass(self):
# 调用类的方法output_modules,无需显式地传递类名做实参
Computer.output_modules()
aaaa = OtherClass()
aaaa._test_OtherClass()
#-------------------------------------------------------------
# 输出结果:
# cpu : Intel
# 内存 : 镁光
# 硬盘 : 970-Pro
93.compile
94.complex
95.copyright
96.credits
97.delattr
98.dict
99.dir
100.divmod
101.enumerate
102.eval
103.exec
104.execfile
105.exit
106.filter
107.float
108.format
109.frozenset
110.getattr
111.globals
112.hasattr
113.hash
114help
115.hex
116.id
117.input
118.int
119.isinstance
120.issubclass
121.iter
122.len
123.license
124.list
125.locals
126.map
127.max
128.memoryview
129.min
130.next
131.object
132.oct
133.open
134.ord
135.pow
136.print
137.property
此修饰符可赋值给变量, 语法为:
x = property(getx, setx, delx)
- 如果是以此种方法的话, 函数名或者说是方法名可以不相同
如果是以装饰器形式使用的话, 函数名或者说是方法名必须相同, 例子代码如下:
class Computer:
# 类属性 __modules
__modules = {"cpu":"Intel", "内存":"镁光", "硬盘":"970-Pro"}
def __init__(self):
pass
# 获取字典的key
@property
def modules_property(self):
# 字典 __modules的key 取出来变成列表
__loops = [i for i in self.__modules]
for ii in range(len(self.__modules)):
print(__loops[ii], ':', self.__modules[__loops[ii]])
# 给字典新增数据
@modules_property.setter
def modules_property(self, key_value):
self.__modules[key_value[0]] = key_value[1]
# 删除字典中内容, 这里没办法通过@modules_property.deleter以达到删除字典中某个键值
# 所以换成了 静态方法 来删除键值
@staticmethod
def del_modules_property(__del, key):
try:
# dels.__modules.pop(key, 'Error, 删除的内容不存在!')
__del.__modules.pop(key)
except KeyError:
print(f'Error, 删除的键: {key} 不存在!')# 这个引用变量 应该在v3.6版本以下不兼容...
# print('Error, 删除的键: {keys} 不存在!'.format(keys=key))
# 实例化类
aaaa = Computer()
print('打印原有字典内容')
aaaa.modules_property
print('----------分隔符-----------')
print('打印新增后字典内容')
# 通过@modules_property.setter, 给字典新增数据
aaaa.modules_property = ('机箱', '海盗船')
# 通过@property,其实也是@getattr, 取出字典中的键值内容
aaaa.modules_property
print('----------分隔符-----------')
print('打印删除后字典内容')
# 通过静态方法@staticmethod, 删除字典中某个元素,或者说成删除字典中某个键值内容
Computer.del_modules_property(Computer, 'cpu')
# 通过@property, 再次打印字典内容,看下是否正常删除了
aaaa.modules_property
# -------------------------------------------------------------
# 打印原有字典内容
# cpu : Intel
# 内存 : 镁光
# 硬盘 : 970-Pro
# ----------分隔符-----------
# 打印新增后字典内容
# cpu : Intel
# 内存 : 镁光
# 硬盘 : 970-Pro
# 机箱 : 海盗船
# ----------分隔符-----------
# 打印删除后字典内容
# 内存 : 镁光
# 硬盘 : 970-Pro
# 机箱 : 海盗船
138.quit
139.range
140.repr
141.reversed
142.round
143.runfile
144.set
145.setattr
146.slice
147.sorted
148.staticmethod
# 修饰符:静态方法 @staticmethod | 必须显式地传递类名做实参
class Computer:
# 类属性modules
__modules = {"cpu":"Intel", "内存":"镁光", "硬盘":"970-Pro"}
# 在静态方法search_module中定义形参var,准备传递类:Computer
# 调用时必须显性地传递类名,才能实现类方法一样的效果
# 设定修饰符@静态方法 | 类的函数或者叫类的方法search_module
@staticmethod
def search_module(var, module_value):
print(var.__modules[module_value])
Computer.search_module(Computer, "cpu")
Computer.search_module(Computer, "内存")
Computer.search_module(Computer, "硬盘")
#-------------------------------------------------------------
# 输出结果:
# Intel
# 镁光
# 970-Pro
也可被其他类直接进行调用(有点全局的意思.....), 看例子代码如下:
class Computer:
# 类属性modules
__modules = {"cpu":"Intel", "内存":"镁光", "硬盘":"970-Pro"}
# 在静态方法search_module中定义形参var,准备传递类:Computer
# 调用时必须显性地传递类名,才能实现类方法一样的效果
# 设定修饰符@静态方法 | 类的函数或者叫类的方法search_module
@staticmethod
def search_module(var, module_value):
print(var.__modules[module_value])
class OtherClass:
def __init__(self):
pass
def _test_OtherClass(self):
# 调用类的静态方法search_module,必须显式地传递类名做实参
Computer.search_module(Computer, "cpu")
Computer.search_module(Computer, "内存")
Computer.search_module(Computer, "硬盘")
aaaa = OtherClass()
aaaa._test_OtherClass()
#-------------------------------------------------------------
# 输出结果:
# Intel
# 镁光
# 970-Pro
149.str
150.sum
151.super
super函数不需要明确的给出任何 "被调用类" 的名称, 学习中觉得 子类-父类-超类 叫起来很绕, 就自认为叫成 "被调用类" 方便自己理解
- 假设定义了三个类: A B C
- 类A 继承 类B, 类A 是 类B 的子类 | 类B 是 类A 的父类(被调用类)
- 类B 继承 类C, 类B 是 类C 的子类 | 类C 是 类B 的父类(被调用类)
- 类A 间接继承 类C , 类C 是 类A 的超类(被调用类)
- 例子待定
152.tuple
153.type
154.vars
155.zip
Python | 内置函数(BIF)的更多相关文章
- python内置函数
python内置函数 官方文档:点击 在这里我只列举一些常见的内置函数用法 1.abs()[求数字的绝对值] >>> abs(-13) 13 2.all() 判断所有集合元素都为真的 ...
- python 内置函数和函数装饰器
python内置函数 1.数学相关 abs(x) 取x绝对值 divmode(x,y) 取x除以y的商和余数,常用做分页,返回商和余数组成一个元组 pow(x,y[,z]) 取x的y次方 ,等同于x ...
- Python基础篇【第2篇】: Python内置函数(一)
Python内置函数 lambda lambda表达式相当于函数体为单个return语句的普通函数的匿名函数.请注意,lambda语法并没有使用return关键字.开发者可以在任何可以使用函数引用的位 ...
- [python基础知识]python内置函数map/reduce/filter
python内置函数map/reduce/filter 这三个函数用的顺手了,很cool. filter()函数:filter函数相当于过滤,调用一个bool_func(只返回bool类型数据的方法) ...
- Python内置函数进制转换的用法
使用Python内置函数:bin().oct().int().hex()可实现进制转换. 先看Python官方文档中对这几个内置函数的描述: bin(x)Convert an integer numb ...
- Python内置函数(12)——str
英文文档: class str(object='') class str(object=b'', encoding='utf-8', errors='strict') Return a string ...
- Python内置函数(61)——str
英文文档: class str(object='') class str(object=b'', encoding='utf-8', errors='strict') Return a string ...
- 那些年,很多人没看懂的Python内置函数
Python之所以特别的简单就是因为有很多的内置函数是在你的程序"运行之前"就已经帮你运行好了,所以,可以用这个的特性简化很多的步骤.这也是让Python语言变得特别的简单的原因之 ...
- Python 内置函数笔记
其中有几个方法没怎么用过, 所以没整理到 Python内置函数 abs(a) 返回a的绝对值.该参数可以是整数或浮点数.如果参数是一个复数,则返回其大小 all(a) 如果元组.列表里面的所有元素都非 ...
随机推荐
- 纯CSS实现扁平化风格开关按钮
开关样式预览图 前言 最近在基于bootstrap框架开发一个网站,在填写表单一项需要用户填写是否选择某一选项,本来想引用bootstrap框架自带的一个按钮插件,结果在引用js的时候总是出错,就找了 ...
- 给新手的最简单electron使用教程
我花了两个月闲暇翻译完了文档,大概是目前最完整最实时的中文文档了,有需要可以去看看学学:github传送门,大多数的需求阅读文档即可解决,实际上,翻译文档正是我入门一项未知事物时的最简单常用的法子. ...
- Vuet.js规则详解,它是你不知道的强大功能?
Vuet.js是什么? Vuet.js是给Vue.js提供状态管理的一个工具,与vuex不同,它是一种崇尚规则定制的状态管理模式.事先将状态更新的规则写好,然后将规则注入到组件中,然后状态按照预订的规 ...
- Day05 - Flex 实现可伸缩的图片墙 中文指南
Day05 - Flex 实现可伸缩的图片墙 中文指南 作者:liyuechun 简介:JavaScript30 是 Wes Bos 推出的一个 30 天挑战.项目免费提供了 30 个视频教程.30 ...
- react 移动端 兼容性问题和一些小细节
react 移动端 兼容性问题和一些小细节 使用 ES6 的浏览器兼容性问题 react 对低版本的安卓webview 兼容性 iOS下 fixed与软键盘的问题 onClick 阻止冒泡 meta对 ...
- css布局基础总结
前端css布局知识繁杂,实现方式多种多样.想写出高效.合理的布局,必须以深厚的css基础为前提.为了方便记忆和复习,将css布局要点记录如下.内容较多,应用方面说的不太详细,但都是很实用的点. 所谓布 ...
- python-正整数的因子展开式
[题目描述]编写程序,输出一个给定正整数x(x>1)的质因子展开式. [输入格式]请在一行中输入整数x的值. [输出格式]对每一组输入的x,按以下格式输出x的质因子展开式(假如x的质因子分别为a ...
- 深度学习(三)之LSTM写诗
目录 数据预处理 构建数据集 模型结构 生成诗 根据上文生成诗 生成藏头诗 参考 根据前文生成诗: 机器学习业,圣贤不可求.临戎辞蜀计,忠信尽封疆.天子咨两相,建章应四方.自疑非俗态,谁复念鹪鹩. 生 ...
- Java实现单链表的反转
思路1:初始化一个新的头节点reverseHead,然后遍历旧链表,利用头插法向reverseHead进行插入 思路2: 1.反转相当于数据的更换(1和n,2和n-1,3和n-2)n为链表的长度 2. ...
- 帝国cms7.5忘记登录密码以及多次登录失败被锁定终极解决办法
其实网上很多忘记登录密码的解决方法都是相对于7.5版本以下的,在7.5的版本里根本不适用,今天小编主要给大家说的是针对帝国cms7.5忘记登录密码正确的解决办法. 前提是你能登陆服务器: 一.忘记登录 ...