abs() 函数
abs() 函数返回数字的绝对值。
print("abs(-40) : ", abs(-40))
print("abs(100.10) : ", abs(100.10))
'''
输出结果
abs(-40) : 40
abs(100.10) : 100.1
'''
dict() 函数
dict() 函数用于创建一个字典。
print(dict()) # 创建空字典
print(dict(a='a', b='b', t='t')) # 传入关键字
print(dict(zip(['one', 'two', 'three'], [1, 2, 3]))) # 映射函数方式来构造字典
print(dict([('one', 1), ('two', 2), ('three', 3)])) # 可迭代对象方式来构造字典
'''
输出结果
{}
{'a': 'a', 'b': 'b', 't': 't'}
{'one': 1, 'two': 2, 'three': 3}
{'one': 1, 'two': 2, 'three': 3}
'''
help() 函数
help() 函数用于查看函数或模块用途的详细说明。
help('sys') # 查看 sys 模块的帮助
help('str') # 查看 str 数据类型的帮助
a = [1, 2, 3]
help(a) # 查看列表 list 帮助信息
help(a.append) # 显示list的append方法的帮助
min() 函数
min() 方法返回给定参数的最小值,参数可以为序列。
print("min(80, 100, 1000) : ", min(80, 100, 1000))
print("min(-20, 100, 400) : ", min(-20, 100, 400))
print("min(-80, -20, -10) : ", min(-80, -20, -10))
print("min(0, 100, -400) : ", min(0, 100, -400))
'''
输出结果
min(80, 100, 1000) : 80
min(-20, 100, 400) : -20
min(-80, -20, -10) : -80
min(0, 100, -400) : -400
'''
setattr() 函数
setattr() 函数对应函数 getattr(),用于设置属性值,该属性不一定是存在的。
对已存在的属性进行赋值:
class A():
bar = 1
a = A()
print(getattr(a, 'bar')) # 获取属性 bar 值
setattr(a, 'bar', 5) # 设置属性 bar 值
print(a.bar)
'''
输出结果
1
5
'''
如果属性不存在会创建一个新的对象属性,并对属性赋值:
class A():
name = "runoob"
a = A()
setattr(a, "age", 28)
print(a.age)
'''
输出结果
28
'''
all() 函数
all() 函数用于判断给定的可迭代参数 iterable 中的所有元素是否都为 TRUE,如果是返回 True,否则返回 False。
元素除了是 0、空、None、False 外都算 True。
print(all(['a', 'b', 'c', 'd'])) # 列表list,元素都不为空或0
print(all(['a', 'b', '', 'd'])) # 列表list,存在一个为空的元素
print(all([0,1,2,3])) # 列表list,存在一个为0的元素
print(all(('a', 'b', 'c', 'd'))) # 元组tuple,元素都不为空或0
print(all(('a', 'b', '', 'd'))) # 元组tuple,存在一个为空的元素
print(all((0, 1, 2, 3))) # 元组tuple,存在一个为0的元素
print(all([])) # 空列表
print(all(())) # 空元组
'''
输出结果
True
False
False
True
False
False
True
True
'''
dir() 函数
dir() 函数不带参数时,返回当前范围内的变量、方法和定义的类型列表;带参数时,返回参数的属性、方法列表。如果参数包含方法__dir__(),该方法将被调用。如果参数不包含__dir__(),该方法将最大限度地收集参数信息。
print(dir()) # 获得当前模块的属性列表
print(dir([])) # 查看列表的方法
'''
输出结果
['__annotations__', '__builtins__', '__cached__', '__doc__', '__file__', '__loader__', '__name__', '__package__', '__spec__']
['__add__', '__class__', '__contains__', '__delattr__', '__delitem__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__getitem__', '__gt__', '__hash__', '__iadd__', '__imul__', '__init__', '__init_subclass__', '__iter__', '__le__', '__len__', '__lt__', '__mul__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__reversed__', '__rmul__', '__setattr__', '__setitem__', '__sizeof__', '__str__', '__subclasshook__', 'append', 'clear', 'copy', 'count', 'extend', 'index', 'insert', 'pop', 'remove', 'reverse', 'sort']
'''
hex() 函数
hex() 函数用于将一个指定数字转换为 16 进制数。
print(hex(255))
print(hex(-42))
print(hex(12))
print(type(hex(12)))
'''
输出结果
0xff
-0x2a
0xc
<class 'str'>
'''
next() 函数
next() 返回迭代器的下一个项目。
it = iter([1, 2, 3, 4, 5]) # 首先获得Iterator对象
while True: # 循环
try:
x = next(it) # 获得下一个值
print(x)
except StopIteration: # 遇到StopIteration就退出循环
break
'''
输出结果
1
2
3
4
5
'''
slice() 函数
slice() 函数实现切片对象,主要用在切片操作函数里的参数传递。
myslice = slice(5) # 设置截取5个元素的切片
print(myslice)
arr = range(10)
print(arr)
print(arr[myslice]) # 截取 5 个元素
'''
输出结果
slice(None, 5, None)
range(0, 10)
range(0, 5)
'''
any() 函数
any() 函数用于判断给定的可迭代参数 iterable 是否全部为 False,则返回 False,如果有一个为 True,则返回 True。
元素除了是 0、空、FALSE 外都算 TRUE。
print(any(['a', 'b', 'c', 'd'])) # 列表list,元素都不为空或0
print(any(['a', 'b', '', 'd'])) # 列表list,存在一个为空的元素
print(any([0, '', False])) # 列表list,元素全为0,'',false
print(any(('a', 'b', 'c', 'd'))) # 元组tuple,元素都不为空或0
print(any(('a', 'b', '', 'd'))) # 元组tuple,存在一个为空的元素
print(any((0, '', False))) # 元组tuple,元素全为0,'',false
print(any([])) # 空列表
print(any(())) # 空元组
'''
输出结果
True
True
False
True
True
False
False
False
'''
divmod() 函数
Python divmod() 函数接收两个数字类型(非复数)参数,返回一个包含商和余数的元组(a // b, a % b)。
print(divmod(7, 2))
print(divmod(8, 2))
print(divmod(8, -2))
print(divmod(3, 1.3))
'''
输出结果
(3, 1) # 左边返回取整,右边返回取余
(4, 0)
(-4, 0)
(2.0, 0.3999999999999999)
'''
id() 函数
id() 函数用于获取对象的内存地址。
a = 'runoob'
print(id(a))
b = 1
print(id(b))
'''
输出结果
31241200
8791197970688
'''
sorted() 函数
sorted() 函数对所有可迭代的对象进行排序操作。
print(sorted([5, 2, 3, 1, 4])) # 默认为升序
example_list = [5, 0, 6, 1, 2, 7, 3, 4]
result_list = sorted(example_list, key=lambda x: x*-1)
print(result_list) # 利用key进行倒序排序
example_list = [5, 0, 6, 1, 2, 7, 3, 4]
print(sorted(example_list, reverse=True)) # 要进行反向排序,也通过传入第三个参数 reverse=True
'''
输出结果
[1, 2, 3, 4, 5]
[7, 6, 5, 4, 3, 2, 1, 0]
[7, 6, 5, 4, 3, 2, 1, 0]
'''
ascii() 函数
ascii() 函数类似 repr() 函数, 返回一个表示对象的字符串, 但是对于字符串中的非 ASCII 字符则返回通过 repr() 函数使用 \x, \u 或 \U 编码的字符。 生成字符串类似 Python2 版本中 repr() 函数的返回值。
print(ascii('runoob'))
'''
输出结果
'runoob'
'''
enumerate() 函数
enumerate() 函数用于将一个可遍历的数据对象(如列表、元组或字符串)组合为一个索引序列,同时列出数据和数据下标,一般用在 for 循环当中。
seasons = ['Spring', 'Summer', 'Fall', 'Winter']
print(list(enumerate(seasons)))
print(list(enumerate(seasons, start=1))) # 下标从 1 开始
'''
输出结果
[(0, 'Spring'), (1, 'Summer'), (2, 'Fall'), (3, 'Winter')]
[(1, 'Spring'), (2, 'Summer'), (3, 'Fall'), (4, 'Winter')]
'''
seq = ['one', 'two', 'three']
for i, element in enumerate(seq):
print(i, seq[i])
'''
输出结果
0 one
1 two
2 three
'''
input() 函数
Python3.x 中 input() 函数接受一个标准输入数据,返回为 string 类型。
a = input("input:") # 输入整数
print(a)
print(type(a)) # 字符串
a = input("input:") # 正确,字符串表达式
print(a)
print(type(a)) # 字符串
'''
输出结果
input:123
123
<class 'str'>
input:xiaoming
xiaoming
<class 'str'>
'''
oct() 函数
oct() 函数将一个整数转换成8进制字符串。
print(oct(10))
print(oct(20))
print(oct(15))
'''
输出结果
0o12
0o24
0o17
'''
staticmethod() 函数
python staticmethod 返回函数的静态方法。
class C():
@staticmethod
def f():
print('runoob')
C.f() # 静态方法无需实例化
cobj = C()
cobj.f() # 也可以实例化后调用
'''
输出结果
runoob
runoob
'''
bin() 函数
bin() 返回一个整数 int 或者长整数 long int 的二进制表示。
print(bin(10))
print(bin(20))
'''
输出结果
0b1010
0b10100
'''
eval() 函数
eval() 函数用来执行一个字符串表达式,并返回表达式的值。
x = 7
print(eval('3 * x'))
print(eval('pow(2,2)'))
print(eval('2 + 2'))
n = 81
print(eval("n + 4"))
'''
输出结果
21
4
4
85
'''
int() 函数
int() 函数用于将一个字符串或数字转换为整型。
print(int()) # 不传入参数时,得到结果0
print(int(3))
print(int(3.6))
print(int('12',16)) # 如果是带参数base的话,12要以字符串的形式进行输入,12 为 16进制
print(int('0xa',16))
print(int('10',8))
'''
输出结果
0
3
3
18
10
8
'''
open() 函数
Python open() 函数用于打开一个文件,并返回文件对象,在对文件进行处理过程都需要使用到这个函数,如果该文件无法被打开,会抛出 OSError。
注意:使用 open() 函数一定要保证关闭文件对象,即调用 close() 函数。
open() 函数常用形式是接收两个参数:文件名(file)和模式(mode)。
f = open("test.txt","w")
f.write("大帅哥") # 写入
f = open("test.txt","r")
print(f.read()) # 读
f.close()
'''
输出结果
大帅哥
'''
str() 函数
str() 函数将对象转化为适于人阅读的形式。
s = 'RUNOOB'
print(str(s))
dict = {'runoob': 'runoob.com', 'google': 'google.com'};
print(str(dict))
'''
输出结果
RUNOOB
{'runoob': 'runoob.com', 'google': 'google.com'}
'''
bool() 函数
bool() 函数用于将给定参数转换为布尔类型,如果没有参数,返回 False。
print(bool())
print(bool(0))
print(bool(1))
print(bool(2))
print(issubclass(bool, int)) # bool 是 int 子类
'''
输出结果
False
False
True
True
True
'''
exec 函数
exec 执行储存在字符串或文件中的 Python 语句,相比于 eval,exec可以执行更复杂的 Python 代码。
exec('print("Hello World")') # 单行语句字符串
exec("print('runoob.com')")
# 多行语句字符串
exec("""for i in range(5):
print ("iter time: %d" % i)
""")
'''
输出结果
Hello World
runoob.com
iter time: 0
iter time: 1
iter time: 2
iter time: 3
iter time: 4
'''
isinstance() 函数
isinstance() 函数来判断一个对象是否是一个已知的类型,类似 type()。
a = 2
print(isinstance(a, int))
print(isinstance(a, str))
print(isinstance(a, (str, int, list))) # 是元组中的一个返回 True
'''
输出结果
True
False
True
'''
ord() 函数
ord() 函数是 chr() 函数(对于 8 位的 ASCII 字符串)的配对函数,它以一个字符串(Unicode 字符)作为参数,返回对应的 ASCII 数值,或者 Unicode 数值。
print(ord("a"))
print(ord("帅"))
'''
输出结果
97
24069
'''
sum() 函数
sum() 方法对系列进行求和计算。
print(sum([0,1,2]) )
print(sum((2, 3, 4), 1)) # 元组计算总和后再加 1
print(sum([0,1,2,3,4], 2)) # 列表计算总和后再加 2
'''
输出结果
3
10
12
'''
bytearray() 函数
bytearray() 方法返回一个新字节数组。这个数组里的元素是可变的,并且每个元素的值范围: 0 <= x < 256。
print(bytearray())
print(bytearray([1,2,3]))
print(bytearray('runoob', 'utf-8'))
'''
输出结果
bytearray(b'')
bytearray(b'\x01\x02\x03')
bytearray(b'runoob')
'''
filter() 函数
filter() 函数用于过滤序列,过滤掉不符合条件的元素,返回一个迭代器对象,如果要转换为列表,可以使用 list() 来转换。
该接收两个参数,第一个为函数,第二个为序列,序列的每个元素作为参数传递给函数进行判,然后返回 True 或 False,最后将返回 True 的元素放到新列表中。
def is_odd(n):
return n % 2 == 1
tmplist = filter(is_odd, [1, 2, 3, 4, 5, 6, 7, 8, 9, 10])
newlist = list(tmplist)
print(newlist)
'''
输出结果
[1, 3, 5, 7, 9]
'''
import math
def is_sqr(x):
return math.sqrt(x) % 1 == 0
tmplist = filter(is_sqr, range(1, 101))
newlist = list(tmplist)
print(newlist)
'''
输出结果
[1, 4, 9, 16, 25, 36, 49, 64, 81, 100]
'''
issubclass() 函数
issubclass() 方法用于判断参数 class 是否是类型参数 classinfo 的子类。
class A:
pass
class B(A):
pass
print(issubclass(B, A)) # 返回 True
'''
输出结果
True
'''
pow() 函数
pow() 方法返回 xy(x的y次方) 的值。
import math # 导入 math 模块
print("math.pow(100, 2) : ", math.pow(100, 2))
# 使用内置,查看输出结果区别
print("pow(100, 2) : ", pow(100, 2))
print("math.pow(100, -2) : ", math.pow(100, -2))
print("math.pow(2, 4) : ", math.pow(2, 4))
print("math.pow(3, 0) : ", math.pow(3, 0))
'''
输出结果
math.pow(100, 2) : 10000.0
pow(100, 2) : 10000
math.pow(100, -2) : 0.0001
math.pow(2, 4) : 16.0
math.pow(3, 0) : 1.0
'''
super() 函数
super() 函数是用于调用父类(超类)的一个方法。
super 是用来解决多重继承问题的,直接用类名调用父类方法在使用单继承的时候没问题,但是如果使用多继承,会涉及到查找顺序(MRO)、重复调用(钻石继承)等种种问题。
MRO 就是类的方法解析顺序表, 其实也就是继承父类方法时的顺序表。
class A:
def add(self, x):
y = x + 1
print(y)
class B(A):
def add(self, x):
super().add(x)
b = B()
b.add(2) # 3
'''
输出结果
3
'''
bytes 函数
bytes 函数返回一个新的 bytes 对象,该对象是一个 0 <= x < 256 区间内的整数不可变序列。它是 bytearray 的不可变版本。
a = bytes([1,2,3,4])
print(a)
print(type(a))
a = bytes('hello','ascii')
print(a)
print(type(a))
'''
输出结果
b'\x01\x02\x03\x04'
<class 'bytes'>
b'hello'
<class 'bytes'>
'''
float() 函数
float() 函数用于将整数和字符串转换成浮点数。
print(float(1))
print(float(112))
print(float(-123.6))
print(float('123')) # 字符串
'''
输出结果
1.0
112.0
-123.6
123.0
'''
iter() 函数
iter() 函数用来生成迭代器。
lst = [1, 2, 3]
for i in iter(lst):
print(i)
'''
输出结果
1
2
3
'''
print() 函数
print() 方法用于打印输出,最常见的一个函数。
print(1)
print("Hello World")
a = 1
b = 'runoob'
print(a,b)
print("aaa""bbb")
print("aaa","bbb")
print("www","runoob","com",sep=".") # 设置间隔符
'''
输出结果
1
Hello World
1 runoob
aaabbb
aaa bbb
www.runoob.com
'''
tuple 函数
tuple 函数将列表转换为元组。
list1 = ['Google', 'Taobao', 'Runoob', 'Baidu']
tuple1 = tuple(list1)
print(tuple1)
'''
输出结果
('Google', 'Taobao', 'Runoob', 'Baidu')
'''
callable() 函数
callable() 函数用于检查一个对象是否是可调用的。如果返回 True,object 仍然可能调用失败;但如果返回 False,调用对象 object 绝对不会成功。
对于函数、方法、lambda 函式、 类以及实现了 call 方法的类实例, 它都返回 True。
print(callable(0))
print(callable("runoob"))
def add(a, b):
return a + b
print(callable(add)) # 函数返回 True
class A: # 类
def method(self):
return 0
print(callable(A)) # 类返回 True
a = A()
print(callable(a)) # 没有实现 __call__, 返回 False
class B:
...
def __call__(self):
return 0
print(callable(B))
b = B()
print(callable(b)) # 实现 __call__, 返回 True
'''
输出结果
False
False
True
True
False
True
True
'''
format 格式化函数
print("{} {}".format("hello", "world")) # 不设置指定位置,按默认顺序
print("{0} {1}".format("hello", "world")) # 设置指定位置
print("{1} {0} {1}".format("hello", "world")) # 设置指定位置
'''
输出结果
hello world
hello world
world hello world
'''
print("姓名:{name}, 爱好 {hobby}".format(name="小明", hobby="爱吃大西瓜"))
# 通过字典设置参数
site = {"name": "小明", "hobby": "爱吃大西瓜"}
print("姓名:{name}, 爱好 {hobby}".format(**site))
# 通过列表索引设置参数
my_list = ['小明', '爱吃大西瓜']
print("姓名:{0[0]}, 爱好 {0[1]}".format(my_list)) # "0" 是必须的
'''
输出结果
姓名:小明, 爱好 爱吃大西瓜
姓名:小明, 爱好 爱吃大西瓜
姓名:小明, 爱好 爱吃大西瓜
'''
class AssignValue(object):
def __init__(self, value):
self.value = value
my_value = AssignValue(6)
print('value 为: {0.value}'.format(my_value)) # "0" 是可选的
'''
输出结果
value 为: 6
'''
print("{:.2f}".format(3.1415926))
'''
输出结果
3.14
'''
len()方法
Python len() 方法返回对象(字符、列表、元组等)长度或项目个数。
str = "runoob"
print(len(str)) # 字符串长度
l = [1,2,3,4,5]
print(len(l)) # 列表元素个数
'''
输出结果
6
5
'''
type() 函数
type() 函数如果你只有第一个参数则返回对象的类型,三个参数返回新的类型对象。
print(type(1))
print(type('runoob'))
print(type([2]))
print(type({0: 'zero'}))
x = 1
print(type(x) == int) # 判断类型是否相等
# 三个参数
class X(object):
a = 1
X = type('X', (object,), dict(a=1)) # 产生一个新的类型 X
print(X)
'''
输出结果
<class 'int'>
<class 'str'>
<class 'list'>
<class 'dict'>
True
<class '__main__.X'>
'''
chr() 函数
chr() 用一个整数作参数,返回一个对应的字符。
print(chr(0x30))
print(chr(97))
print(chr(8364))
'''
输出结果
0
a
€
'''
frozenset() 函数
frozenset() 返回一个冻结的集合,冻结后集合不能再添加或删除任何元素。
a = frozenset(range(10)) # 生成一个新的不可变集合
print(a)
b = frozenset('runoob')
print(b)
'''
输出结果
frozenset({0, 1, 2, 3, 4, 5, 6, 7, 8, 9})
frozenset({'r', 'o', 'u', 'n', 'b'})
'''
list()方法
list() 方法用于将元组或字符串转换为列表。
aTuple = (123, 'Google', 'Runoob', 'Taobao')
list1 = list(aTuple)
print("列表元素 : ", list1)
str = "Hello World"
list2 = list(str)
print("列表元素 : ", list2)
'''
输出结果
列表元素 : [123, 'Google', 'Runoob', 'Taobao']
列表元素 : ['H', 'e', 'l', 'l', 'o', ' ', 'W', 'o', 'r', 'l', 'd']
range() 函数用法
Python3 range() 函数返回的是一个可迭代对象(类型是对象),而不是列表类型, 所以打印的时候不会打印列表。
Python3 list() 函数是对象迭代器,可以把range()返回的可迭代对象转为一个列表,返回的变量类型为列表。
print(range(5))
for i in range(5):
print(i)
print(list(range(5)))
print(list(range(0)))
'''
输出结果
range(0, 5)
0
1
2
3
4
[0, 1, 2, 3, 4]
[]
'''
print(list(range(0, 30, 5)))
print(list(range(0, 10, 2)))
print(list(range(0, -10, -1)))
print(list(range(1, 0)))
'''
输出结果
[0, 5, 10, 15, 20, 25]
[0, 2, 4, 6, 8]
[0, -1, -2, -3, -4, -5, -6, -7, -8, -9]
[]
'''
vars() 函数
vars() 函数返回对象object的属性和属性值的字典对象。
print(vars())
class Runoob:
a = 1
print(vars(Runoob))
runoob = Runoob()
print(vars(runoob))
'''
输出结果
{'__name__': '__main__', '__doc__': None, '__package__': None, '__loader__': <_frozen_importlib_external.SourceFileLoader object at 0x000000000271CD08>, '__spec__': None, '__annotations__': {}, '__builtins__': <module 'builtins' (built-in)>, '__file__': 'C:/Users/Administrator/PycharmProjects/jhsneh/jdshr.py', '__cached__': None}
{'__module__': '__main__', 'a': 1, '__dict__': <attribute '__dict__' of 'Runoob' objects>, '__weakref__': <attribute '__weakref__' of 'Runoob' objects>, '__doc__': None}
{}
'''
classmethod 修饰符
classmethod 修饰符对应的函数不需要实例化,不需要 self 参数,但第一个参数需要是表示自身类的 cls 参数,可以来调用类的属性,类的方法,实例化对象等。
class A(object):
bar = 1
def func1(self):
print('foo')
@classmethod
def func2(cls):
print('func2')
print(cls.bar)
cls().func1() # 调用 foo 方法
A.func2() # 不需要实例化
'''
输出结果
func2
1
foo
'''
getattr() 函数
getattr() 函数用于返回一个对象属性值。
class A(object):
bar = 1
a = A()
print(getattr(a, 'bar')) # 获取属性 bar 值
# print(getattr(a, 'bar2')) # 属性 bar2 不存在,触发异常
print(getattr(a, 'bar2', 3)) # 属性 bar2 不存在,但设置了默认值
'''
输出结果
1
3
'''
locals() 函数
locals() 函数会以字典类型返回当前位置的全部局部变量。
对于函数, 方法, lambda 函式, 类, 以及实现了 call 方法的类实例, 它都返回 True。
def runoob(arg): # 两个局部变量:arg、z
z = 1
print(locals())
runoob(4) # 返回一个名字/值对的字典
'''
输出结果
{'arg': 4, 'z': 1}
'''
repr() 函数
repr() 函数将对象转化为供解释器读取的形式。
s = 'RUNOOB'
print(repr(s))
dict = {'runoob': 'runoob.com', 'google': 'google.com'};
print(repr(dict))
'''
输出结果
'RUNOOB'
{'runoob': 'runoob.com', 'google': 'google.com'}
'''
zip() 函数
zip() 函数用于将可迭代的对象作为参数,将对象中对应的元素打包成一个个元组,然后返回由这些元组组成的对象,这样做的好处是节约了不少的内存。
我们可以使用 list() 转换来输出列表。
如果各个迭代器的元素个数不一致,则返回列表长度与最短的对象相同,利用 * 号操作符,可以将元组解压为列表。
a = [1, 2, 3]
b = [4, 5, 6]
c = [4, 5, 6, 7, 8]
zipped = zip(a, b) # 返回一个对象
print(zipped)
print(list(zipped)) # list() 转换为列表
print(list(zip(a, c))) # 元素个数与最短的列表一致
a1, a2 = zip(*zip(a, b)) # 与 zip 相反,zip(*) 可理解为解压,返回二维矩阵式
print(list(a1))
print(list(a2))
'''
输出结果
<zip object at 0x0000000001E73748>
[(1, 4), (2, 5), (3, 6)]
[(1, 4), (2, 5), (3, 6)]
[1, 2, 3]
[4, 5, 6]
'''
compile() 函数
compile() 函数将一个字符串编译为字节代码
str = "for i in range(0,10): print(i)"
c = compile(str,'','exec') # 编译为字节代码对象
print(c)
print(exec(c))
str = "3 * 4 + 5"
a = compile(str,'','eval')
print(eval(a))
'''
输出结果
<code object <module> at 0x00000000021B74B0, file "", line 1>
0
1
2
3
4
5
6
7
8
9
None
17
'''
globals() 函数
globals() 函数会以字典类型返回当前位置的全部全局变量。
a = 'runoob'
print(globals()) # globals 函数返回一个全局变量的字典,包括所有导入的变量。
'''
输出结果
{'__name__': '__main__', '__doc__': None, '__package__': None, '__loader__': <_frozen_importlib_external.SourceFileLoader object at 0x000000000213CD08>, '__spec__': None, '__annotations__': {}, '__builtins__': <module 'builtins' (built-in)>, '__file__': 'C:/Users/Administrator/PycharmProjects/jhsneh/jdshr.py', '__cached__': None, 'a': 'runoob'}
'''
map() 函数
map() 会根据提供的函数对指定序列做映射。
第一个参数 function 以参数序列中的每一个元素调用 function 函数,返回包含每次 function 函数返回值的新列表。
def square(x): # 计算平方数
return x ** 2
print(list(map(square, [1, 2, 3, 4, 5]))) # 计算列表各个元素的平方
print(list(map(lambda x: x ** 2, [1, 2, 3, 4, 5]))) # 使用 lambda 匿名函数
# 提供了两个列表,对相同位置的列表数据进行相加
print(list(map(lambda x, y: x + y, [1, 3, 5, 7, 9], [2, 4, 6, 8, 10])))
'''
输出结果
[1, 4, 9, 16, 25]
[1, 4, 9, 16, 25]
[3, 7, 11, 15, 19]
'''
reversed 函数
reversed 函数返回一个反转的迭代器。
# 字符串
seqString = 'Runoob'
print(list(reversed(seqString)))
# 元组
seqTuple = ('R', 'u', 'n', 'o', 'o', 'b')
print(list(reversed(seqTuple)))
# range
seqRange = range(5, 9)
print(list(reversed(seqRange)))
# 列表
seqList = [1, 2, 4, 3, 5]
print(list(reversed(seqList)))
'''
输出结果
['b', 'o', 'o', 'n', 'u', 'R']
['b', 'o', 'o', 'n', 'u', 'R']
[8, 7, 6, 5]
[5, 3, 4, 2, 1]
'''
complex() 函数
complex() 函数用于创建一个值为 real + imag * j 的复数或者转化一个字符串或数为复数。如果第一个参数为字符串,则不需要指定第二个参数。。
print(complex(1, 2))
print(complex(1)) # 数字
print(complex("1")) # 当做字符串处理
# 注意:这个地方在"+"号两边不能有空格,也就是不能写成"1 + 2j",应该是"1+2j",否则会报错
print(complex("1+2j"))
'''
输出结果
(1+2j)
(1+0j)
(1+0j)
(1+2j)
'''
hasattr() 函数
hasattr() 函数用于判断对象是否包含对应的属性。
class Coordinate:
x = 10
y = -5
z = 0
point1 = Coordinate()
print(hasattr(point1, 'x'))
print(hasattr(point1, 'y'))
print(hasattr(point1, 'z'))
print(hasattr(point1, 'no')) # 没有该属性
'''
输出结果
True
True
True
False
'''
max() 函数
max() 方法返回给定参数的最大值,参数可以为序列。
print("max(80, 100, 1000) : ", max(80, 100, 1000))
print("max(-20, 100, 400) : ", max(-20, 100, 400))
print("max(-80, -20, -10) : ", max(-80, -20, -10))
print("max(0, 100, -400) : ", max(0, 100, -400))
'''
输出结果
max(80, 100, 1000) : 1000
max(-20, 100, 400) : 400
max(-80, -20, -10) : -10
max(0, 100, -400) : 100
'''
round() 函数
round() 方法返回浮点数x的四舍五入值。
print("round(70.23456) : ", round(70.23456))
print("round(56.659,1) : ", round(56.659,1))
print("round(80.264, 2) : ", round(80.264, 2))
print("round(100.000056, 3) : ", round(100.000056, 3))
print("round(-100.000056, 3) : ", round(-100.000056, 3))
'''
输出结果
round(70.23456) : 70
round(56.659,1) : 56.7
round(80.264, 2) : 80.26
round(100.000056, 3) : 100.0
round(-100.000056, 3) : -100.0
'''
delattr() 函数
delattr 函数用于删除属性。
delattr(x, ‘foobar’) 相等于 del x.foobar。
class Coordinate:
x = 10
y = -5
z = 0
point1 = Coordinate()
print('x = ', point1.x)
print('y = ', point1.y)
print('z = ', point1.z)
delattr(Coordinate, 'z')
print('--删除 z 属性后--')
print('x = ', point1.x)
print('y = ', point1.y)
# 触发错误
# print('z = ', point1.z)
'''
输出结果
x = 10
y = -5
z = 0
--删除 z 属性后--
x = 10
y = -5
'''
hash() 函数
hash() 用于获取取一个对象(字符串或者数值等)的哈希值。
print(hash('test')) # 字符串
print(hash(1)) # 数字
print(hash(str([1, 2, 3]))) # 集合
print(hash(str(sorted({'1': 1})))) # 字典
'''
输出结果
-792243269714583391
1
-4920812680509245980
1769267764140544909
'''
memoryview() 函数
memoryview() 函数返回给定参数的内存查看对象(Momory view)。
所谓内存查看对象,是指对支持缓冲区协议的数据进行包装,在不需要复制对象基础上允许Python代码访问。
v = memoryview(bytearray("abcefg", 'utf-8'))
print(v[1])
print(v[-1])
print(v[1:4])
print(v[1:4].tobytes())
'''
输出结果
98
103
<memory at 0x0000000002138408>
b'bce'
'''
set() 函数
set() 函数创建一个无序不重复元素集,可进行关系测试,删除重复数据,还可以计算交集、差集、并集等。
x = set('runoob')
y = set('google')
print(x, y) # 重复的被删除
print(x & y) # 交集
print(x | y) # 并集
print(x - y) # 差集
'''
输出结果
{'r', 'n', 'o', 'u', 'b'} {'l', 'o', 'e', 'g'}
{'o'}
{'r', 'g', 'n', 'o', 'e', 'u', 'l', 'b'}
{'n', 'r', 'b', 'u'}
'''
来源:https://blog.csdn.net/weixin_45571884/article/details/100888798