笔记-python-lib-内置函数

注:文档来源为Python3.6.4官方文档

1.      built-in functions

  1. abs(x) 返回绝对值
  2. all(iterable)   return true if all elements of the iterable are true.
  3. any(iterable) return True If any element of the iterable is true.
  4. ascii(object)  类似 repr() 函数, 返回一个表示对象的字符串, 但是对于字符串中的非 ASCII 字符则返回通过 repr() 函数使用 \x, \u 或 \U 编码的字符。 生成字符串类似 Python2 版本中 repr() 函数的返回值。
  5. bin(x)      convert an integer number to a binary string prefied with”0b”
  6. class bool([x])       return a boolena value,True or False.
  7. class bytearray()  return a new array of bytes.

如果 source 为整数,则返回一个长度为 source 的初始化数组;

如果 source 为字符串,则按照指定的 encoding 将字符串转换为字节序列;

如果 source 为可迭代类型,则元素必须为[0 ,255] 中的整数;

如果 source 为与 buffer 接口一致的对象,则此对象也可以被用于初始化 bytearray。

如果没有输入任何参数,默认就是初始化数组为0个元素。

example:

>>>bytearray()

bytearray(b'')

>>> bytearray([1,2,3])

bytearray(b'\x01\x02\x03')

>>> bytearray('runoob', 'utf-8')

bytearray(b'runoob')

  1. class bytes()
  2. callable(object) return “True” if the object argument appears callable.False if not.
  3. chr(i) return the string representing a character whose Unicode code point in the integer i.

chr(97) >>>a

  1. @classmethod

transform a method into a class method.

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()               # 不需要实例化

  1. compile()

compile the source into a code or AST object.

  1. class complex([real[, imag]])

return a complex number with the value real + imag*1j or convert a string o number to a complex number.

  1. delattr(object, name)

this is a relative of setattr(). the ‘name’ must be the name of one of the object’s attributes.

delattr(x, ‘foobar’) is equivalent to del x.foobar

  1. class dict(**kwarg)
  2. dir(object)

without arguments return the list of names in the current local scope.

with an argument, attempt to return a list of valid attributes for that object.

If the object is a module object, the list contains the names of the module’s attributes.

If the object is a type or class object, the list contains the names of its attributes, and recursively of the attributes of its bases.

Otherwise, the list contains the object’s attributes’ names, the names of its class’s attributes, and recursively of the attributes of its class’s base classes.

  1. divmod(a, b)

for intergers, the result is the same as(a//b, a%b).

for floating point numbers the result is (q, a%b)

>>> divmod(200.3345, 4)

(50.0, 0.33449999999999136)

  1. enumerate(iterable, start=0)

return an enumerate object.

enumerate() 函数用于将一个可遍历的数据对象(如列表、元组或字符串)组合为一个索引序列,同时列出数据和数据下标,一般用在 for 循环当中

for i, element in enumerate(seq):

print(i, seq[i])

  1. eval(expression, globals= None, locals=None)

eval() 函数用来执行一个字符串表达式,并返回表达式的值

expression -- 表达式。

globals -- 变量作用域,全局命名空间,如果被提供,则必须是一个字典对象。

locals -- 变量作用域,局部命名空间,如果被提供,可以是任何映射对象。

  1. exec(object[, globals[, locals]])

exec 执行储存在字符串或文件中的 Python 语句,相比于 eval,exec可以执行更复杂的 Python 代码。

  1. filter(function, iterable)

construct an iterator from those elements of iterable for which function returns true.iterable may be either a sequence, a container which supports iteration, or an iterator.

  1. class float([x])
  2. format(value[, format_spec])
  3. class frozenset([iterable])

return a new frozenset object, optionally with elements taken from iterable.

frozenset object is a built-in class.

  1. getattr(object, name[, default])

return the value of the named attribute of object.

  1. globals()

return a dictionary representing the current global symbol table.

  1. hasattr(object, name)

the arguments are an object and a string.The result is True if the string is the name of the object’s attributes, False if not.

  1. hash(object)

return the hash value of the object(if it has one).Hash value are

hash() 函数可以应用于数字、字符串和对象,不能直接应用于 list、set、dictionary。

在 hash() 对对象使用时,所得的结果不仅和对象的内容有关,还和对象的 id(),也就是内存地址有关。

class Test:

def __init__(self, i):

self.i = i

for i in range(50):

t = Test(1)

print(hash(t), id(t))

测试后发现确实会在两个值之间切换.

  1. help([object])
  2. hex(x)

convert an interger number to a lowercase hexadecimal string prefixed with ‘0x’

  1. id(object)

return the “identity” of an object. this is an integer which is guaranteed to be unique and constant for this object during its lifetime.

  1. input([prompt])
  2. class int(x=0)

class int(x, base=10)

  1. isinstance(object, classinfo)

return true if the object argument is an instance of the classinfo argument.

  1. issubclass(class, classinfo)
  2. iter(object[, sentinel])

return an iterator object. The first argument is interpreted very differently depending on the presence of the second argument.

sentinel -- 如果传递了第二个参数,则参数 object 必须是一个可调用的对象(如,函数),此时,iter 创建了一个迭代器对象,每次调用这个迭代器对象的__next__()方法时,都会调用 object。

  1. len()
  2. class list([iterable])
  3. locals()
  4. map(function, iterable, …)

Return an iterator that applies function to every item of iterable, yielding the results.

def f(x):

return x**2

lista = [x for x in range(18)]

listb = list(map(f, lista))

print(listb)

注意:在python3中返回的是iterator,需手动转换。

  1. max()
  2. memoryview(obj)
  3. min()
  4. next()
  5. oct(x)
  6. open()
  7. ord(c)
  8. pow(x, y[, z])
  9. print()
  10. class property(fget=None, fset=None, fdel=None, doc=None)
  11. range()
  12. repr(object)

return a string containg a printable representation

  1. reversed(seq)
  2. round(number[, ndigits])
  3. class set([iterable])
  4. setattr(object, name, value)
  5. class slice()
  6. sorted(iterable, *, key=None, reverse=False)
  7. @staticmethod
  8. sum(iterable[, start])
  9. super([type[, object-or-type]])
  10. tupple([iterable])
  11. class type(object)
  12. vars([object])
  13. zip(*iterables)

Make an iterator that aggregates elements from each of the iterables.

zip支持解包操作。

>>> x = [1, 2, 3]

>>> y = [4, 5, 6]

>>> zipped = zip(x, y)

>>> list(zipped)

[(1, 4), (2, 5), (3, 6)]

>>> x2, y2 = zip(*zip(x, y))

>>> x == list(x2) and y == list(y2)

True

  1. __import__(name, globals=None, locals=None, fromlist=(), level=0)

笔记-python-lib-内置函数的更多相关文章

  1. python基础-内置函数详解

    一.内置函数(python3.x) 内置参数详解官方文档: https://docs.python.org/3/library/functions.html?highlight=built#ascii ...

  2. 如何查看Python的内置函数

    经常调用的时候不知道python当前版本的内置函数是哪些,可以用下面的指令查看: C:\Users\Administrator>python Python 2.7.11 (v2.7.11:6d1 ...

  3. python_way,day3 集合、函数、三元运算、lambda、python的内置函数、字符转换、文件处理

    python_way,day3 一.集合 二.函数 三.三元运算 四.lambda 五.python的内置函数 六.字符转换 七.文件处理 一.集合: 1.集合的特性: 特性:无序,不重复的序列 如果 ...

  4. python基础——内置函数

    python基础--内置函数  一.内置函数(python3.x) 内置参数详解官方文档: https://docs.python.org/3/library/functions.html?highl ...

  5. Python的内置函数

    python的内置函数一共有68个,下面将简单介绍各个函数的功能. abs() dict() help() min() setattr() all() dir() hex() next() slice ...

  6. python print()内置函数

    啦啦啦啦啦啦,我又来了,学习任何东西都得坚持,我一定的好好加油!!! 今天来说说print()函数,前边我们已经用过好好多次啦,现在来学习哈吧!!! Python的内置函数,print() print ...

  7. Python入门-内置函数一

    什么是内置函数?就是python给你提供的拿来直接用的函数,比如print,input等等,截止到python版本3.6.2 python一共提供了68个内置函数,他们就是python直接提供给我们的 ...

  8. Python 集合内置函数大全(非常全!)

    Python集合内置函数操作大全 集合(s).方法名 等价符号 方法说明 s.issubset(t) s <= t 子集测试(允许不严格意义上的子集):s 中所有的元素都是 t 的成员   s ...

  9. Python字典内置函数和方法

    Python字典内置函数和方法: 注:使用了 items.values.keys 返回的是可迭代对象,可以使用 list 转化为列表. len(字典名): 返回键的个数,即字典的长度 # len(字典 ...

  10. Python元组内置函数

    Python元组内置函数: len(元组名): 返回元组长度 # len(元组名): # 返回元组长度 tuple_1 = (1,2,3,'a','b','c') print("tuple_ ...

随机推荐

  1. mac下远程win8.1时提示"桌面连接无法验证您希望连接的计算机的身份"的解决办法

    在os x下使用远程桌面到win8.1,总出现“远程桌面连接无法验证您希望连接的计算机的身份”的提示. 解决方法:1.网上各种解释,包括防火墙是否打开,是否去掉“仅允许运行使用网络级别身份验证的远程计 ...

  2. usb-host一步一步学(一)安卓在usb-host模式下列出当前连接的usb设备

    在本次尝试中,我的安卓手机(HTC One X) 通过OTG线作为usb主机模式列出当前插入的usb设备,版本要求minSDKVersion="12". 没有外设的情况下,结果如下 ...

  3. java 读取环境变量和系统变量的方法

    在web开发的过程中不免需要读取一些自定义的jvm系统变量或者环境变量.比如定义一些通用的log文件.或者数据库访问路径. 我们可以使用System.getProperties()读取所有的系统变量. ...

  4. 用简单的方法学习ES6

    ES6 简要概览 这里是ES6 简要概览.本文大量参考了ES6特性代码仓库,请允许我感谢其作者@Luke Hoban的卓越贡献,也感谢@Axel Rauschmayer所作的[优秀书籍]//explo ...

  5. 命名空间namespace、smarty使用(视图分离,MVC)、smarty模板语法、smarty缓存、MVC模式

    一.命名空间:namespace 命名空间 可以理解为逻辑上的使用,为了防止重名 namespace :关键字 加载:require_once();//加载一次 include_once() 申明命名 ...

  6. 从零开始的全栈工程师——js篇2.8

    DOM(document object model) DOM主要研究htmll中的节点(也就是标签) 对节点进行操作    可以改变标签  改变标签属性  改变css样式  添加事件 一.操作流程 1 ...

  7. meterpreter > ps

    meterpreter > ps Process List============ PID PPID Name Arch Session User Path --- ---- ---- ---- ...

  8. 阻止Bootstrap 模态框(Modal)点击空白处时关闭

    默认情况下点击空白处时会关闭模态框,添加data-backdrop="static"后可以阻止关闭

  9. C#实现正则表达式

    如果想了解正则表达式的基础知识:http://www.cnblogs.com/alvin-niu/p/6430758.html 一.C#中的Regex类 1.在C#中开发正则表达式,首先要引用Syst ...

  10. codeforces 600A Extract Numbers

    模拟题,意思是一个字符串,单词直接用','或';'来分割,可以为空,把不含前导0的整数和其他单词分别放入A和B.按照一定格式输出. 没有用stl的习惯.维护两个下标i,j,表示开区间(i,j),两段补 ...