python 内置方法 BUILT-IN METHODS

蓝色的 mandelbrot

setattr
getattr
hasattr

1. abs()

returns absolute value of a number 返回绝对值

integer = -20
print('Absolute value of -20 is:', abs(integer))

2. all()

returns true when all elements in iterable is true 都为true则为true

3. any()

Checks if any Element of an Iterable is True 只要有一个为true, 则为true

4. ascii()

Returns String Containing Printable Representation, It escapes the non-ASCII characters in the string using \x, \u or \U escapes.
For example, ö is changed to \xf6n, √ is changed to \u221a

5. bin()

converts integer to binary string 转化为二进制

6. bool() Converts a Value to Boolean

The following values are considered false in Python:

None
False
Zero of any numeric type. For example, 0, 0.0, 0j
Empty sequence. For example, (), [], ''.
Empty mapping. For example, {}
objects of Classes which has bool() or len() method which returns 0 or False

7. bytearray()

returns array of given byte size

8. bytes()

returns immutable bytes object
The bytes() method returns a bytes object which is an immmutable (cannot be modified) sequence of integers in the range 0 <=x < 256.

If you want to use the mutable version, use bytearray() method.

9. callable()

Checks if the Object is Callable

10. chr()

Returns a Character (a string) from an Integer
The chr() method takes a single parameter, an integer i.

The valid range of the integer is from 0 through 1,114,111

11. classmethod()

returns class method for given function
The difference between a static method and a class method is:

Static method knows nothing about the class and just deals with the parameters 静态方法和类无关,仅处理他的参数
Class method works with the class since its parameter is always the class itself. 类方法和类有关但其参数为类本身
类方法的调用可以使用 类名.funcname 或者类的实例 class().funcname

from datetime import date# random Person
class Person:def __init__(self, name, age):self.name = nameself.age = age@classmethoddef fromBirthYear(cls, name, birthYear):return cls(name, date.today().year - birthYear)def display(self):print(self.name + "'s age is: " + str(self.age))person = Person('Adam', 19)
person.display()person1 = Person.fromBirthYear('John',  1985)
person1.display()

12. compile()

The compile() method returns a Python code object from the source (normal string, a byte string, or an AST object
将表达式字符串转化为 python 对象并执行
compile() Parameters
source - a normal string, a byte string, or an AST object
filename - file from which the code was read. If it wasn't read from a file, you can give a name yourself
mode - Either exec or eval or single.
eval - accepts only a single expression.
exec - It can take a code block that has Python statements, class and functions and so on.
single - if it consists of a single interactive statement
flags (optional) and dont_inherit (optional) - controls which future statements affect the compilation of the source. Default Value: 0
optimize (optional) - optimization level of the compiler. Default value -1

13. complex()

Creates a Complex Number 创建复数
z = complex('5-9j')
print(z)
不使用 complex:
a = 2+3j
print('a =',a)
print('Type of a is',type(a))

14. delattr()

Deletes Attribute From the Object 删除某个对象属性

class Coordinate:x = 10y = -5z = 0point1 = Coordinate() print('x = ',point1.x)
print('y = ',point1.y)
print('z = ',point1.z)delattr(Coordinate, 'z')

15. getattr()

returns value of named attribute of an object,If not found, it returns the default value provided to the function.

class Person:age = 23name = "Adam"person = Person()# when default value is provided
print('The sex is:', getattr(person, 'sex', 'Male'))

16. hasattr()

returns whether object has named attribute

class Person:age = 23name = 'Adam'person = Person()print('Person has age?:', hasattr(person, 'age'))
print('Person has salary?:', hasattr(person, 'salary'))

17. setattr()

sets value of an attribute of object

class Person:name = 'Adam'p = Person()
print('Before modification:', p.name)# setting name to 'John'
setattr(p, 'name', 'John')print('After modification:', p.name)

18. dict()

Creates a Dictionary

empty = dict()
print('empty = ',empty)
print(type(empty))
numbers = dict(x=5, y=0)
print('numbers = ',numbers)
print(type(numbers))
numbers1 = dict({'x': 4, 'y': 5})
print('numbers1 =',numbers1)# you don't need to use dict() in above code
numbers2 = {'x': 4, 'y': 5}
print('numbers2 =',numbers2)# keyword argument is also passed
numbers3 = dict({'x': 4, 'y': 5}, z=8)
print('numbers3 =',numbers3)
# keyword argument is not passed
numbers1 = dict([('x', 5), ('y', -5)])
print('numbers1 =',numbers1)# keyword argument is also passed
numbers2 = dict([('x', 5), ('y', -5)], z=8)
print('numbers2 =',numbers2)# zip() creates an iterable in Python 3
numbers3 = dict(zip(['x', 'y', 'z'], [1, 2, 3]))
print('numbers3 =',numbers3)

19. dir()

dir() attempts to return all attributes of this object.

number = [1, 2, 3]
print(dir(number))
# dir() on User-defined Object
class Person:def __dir__(self):return ['age', 'name', 'salary']teacher = Person()
print(dir(teacher))

20. divmod()

Returns a Tuple of Quotient and Remainder 返回商和余数的元组

21. enumerate()

Returns an Enumerate Object
The enumerate() method takes two parameters:

iterable - a sequence, an iterator, or objects that supports iteration
start (optional) - enumerate() starts counting from this number. If start is omitted, 0 is taken as start.

grocery = ['bread', 'milk', 'butter']
enumerateGrocery = enumerate(grocery)print(type(enumerateGrocery))# converting to list
print(list(enumerateGrocery))# changing the default counter
enumerateGrocery = enumerate(grocery, 10)
print(list(enumerateGrocery))
for count, item in enumerate(grocery, 100):print(count, item)
# 输出
<class 'enumerate'>
[(0, 'bread'), (1, 'milk'), (2, 'butter')]
[(10, 'bread'), (11, 'milk'), (12, 'butter')]
100 bread
101 milk
102 butter

22. eval()

Runs Python Code Within Program

23. exec()

Executes Dynamically Created Program

24. filter()

constructs iterator from elements which are true
filter(function, iterable)
randomList = [1, 'a', 0, False, True, '0']

filteredList = filter(None, randomList) # 返回true的

25. float()

returns floating point number from number, string

26. format()

returns formatted representation of a value
Using format() by overriding format()

class Person:def __format__(self, format):if(format == 'age'):return '23'return 'None'print(format(Person(), "age"))

27. frozenset()

returns immutable frozenset object

28. globals()

returns dictionary of current global symbol table

29. hash()

returns hash value of an object

30. help()

Invokes the built-in Help System

31. hex()

Converts to Integer to Hexadecimal

32. id()

Returns Identify of an Object

33. input()

reads and returns a line of string

34. int()

returns integer from a number or string

35. isinstance()

Checks if a Object is an Instance of Class

36. issubclass()

Checks if a Object is Subclass of a Class

37. iter()

returns iterator for an object

38. len()

Returns Length of an Object

39. list()

creates list in Python

40. locals()

Returns dictionary of a current local symbol table

41. map() Applies Function and Returns a List

42. max() returns largest element

43. memoryview() returns memory view of an argument

44. min() returns smallest element

45. next() Retrieves Next Element from Iterator

46. object() Creates a Featureless Object

47. oct() converts integer to octal

48. open() Returns a File object

49. ord() returns Unicode code point for Unicode character

50. pow() returns x to the power of y

52. property() returns a property attribute

53. range() return sequence of integers between start and stop

54. repr() returns printable representation of an object

55. reversed() returns reversed iterator of a sequence

56. round() rounds a floating point number to ndigits places.

57. set() returns a Python set

58. slice() creates a slice object specified by range()

59. sorted() returns sorted list from a given iterable 不改变原来的, 有返回值

和.sort()的两个不同点:# sort is a method of the list class and can only be used with lists Second, .sort() returns None and modifies the values in place (sort()仅是list的方法,它会改变替换原来的变量)
sorted() takes two three parameters:

iterable - sequence (string, tuple, list) or collection (set, dictionary, frozen set) or any iterator
reverse (Optional) - If true, the sorted list is reversed (or sorted in Descending order)
key (Optional) - function that serves as a key for the sort comparison

# Sort the list using sorted() having a key function
def takeSecond(elem):return elem[1]# random list
random = [(2, 2), (3, 4), (4, 1), (1, 3)]# sort list with key
sortedList = sorted(random, key=takeSecond)# print list
print('Sorted list:', sortedList)

60. staticmethod() creates static method from a function

61. str() returns informal representation of an object

62. sum() Add items of an Iterable

63. super() Allow you to Refer Parent Class by super

64. tuple() Function Creates a Tuple

65. type() Returns Type of an Object

66. vars() Returns dict attribute of a class

67. zip() Returns an Iterator of Tuples

68. import() Advanced Function Called by import

mathematics = __import__('math', globals(), locals(), [], 0)print(mathematics.fabs(-2.5))
# 等价于
math.fabs(x)

参考文档:https://www.programiz.com/python-programming/methods/built-in/setattr

转载于:https://www.cnblogs.com/bruspawn/p/10823868.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/462657.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

ubuntu下安装拼音输入法ibus

可以安装ibus输入法。ibus有取代scim到趋势。 使用方法&#xff1a; 启用:ctrolspace&#xff1b; 中英文切换&#xff1a;shift&#xff1b;

并发与并行的区别

学习多线程的时候会遇到一个名词&#xff1a;并发。这是属于操作系统中的词汇&#xff0c;需要了解并发和并行的区别&#xff0c;从网上搜集了几种说法帮助理解。 一&#xff1a; 并发是指一个处理器同时处理多个任务。 并行是指多个处理器或者是多核的处理器同时处理多个不同的…

TI CC2480 -- Z-Accel介绍

德州仪器(TI)宣布推出最新Z-Accel系列2.4GHz ZigBee认证网络处理器中的首款产品——CC2480。该器件为工程师提供了完整ZigBee功能&#xff0c;而无需全面了解繁琐的全功能ZigBee协议栈&#xff0c;从而尽可能减少了开发工作量&#xff0c;并简化了ZigBee功能与各种应用的集成工…

Oracle PL/SQL块 多表查询(emp员工表、dept部门表、salgrade工资等级表)

范例: 查询每个员工的编号&#xff0c;姓名&#xff0c;职位&#xff0c;工资&#xff0c;工资等级&#xff0c;部门名称●确定要使用的数据表|- emp表&#xff1a;员工的编号、姓名、职位、工资|- salgrade表&#xff1a;工资等级|- dept表&#xff1a;部门名称●确定已知的关…

多线程的互斥锁应用RAII机制

什么是RAII机制 RAII是Resource Acquisition Is Initialization&#xff08;翻译成 “资源获取即初始化”&#xff09;的简称&#xff0c;是C语言的一种管理资源、避免资源泄漏的惯用法&#xff0c;该方法依赖构造函数资和析构函数的执行机制。 RAII的做法是使用一个类对象&a…

asp.net 浏览服务器文件

http://www.csharpwin.com/dotnetspace/12018r482.shtml 前台文件file.aspx <% Page Language"C#"AutoEventWireup"true"CodeFile"file.aspx.cs"Inherits"file"%> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transi…

使用jQuery queue(队列) 遇到的问题及解决方案

应用场景描述&#xff1a; 我现在要做文章列表的批量生成&#xff0c;使用AJAX将生成的进度情况展示给用户。首先要生成文章列表页&#xff0c;然后在生文章内容详细页。 假如有10页每页10条记录&#xff0c;就会10个文章列表页 总录数&#xff08;100条记录&#xff09; &…

pynput模块—键盘鼠标操作和监听

pynput.mouse&#xff1a;包含控制和监控鼠标或者触摸板的类。 pynput.keyboard&#xff1a;包含控制和监控键盘的类。 上面提到的子包都已被引入到pynput库中。要使用上面的子包&#xff0c;从pynput中引入即可。 下面有详细的示例文档。 控制鼠标 使用pynput.mouse控制鼠标&a…

linux的mysql小记

今天试着自己安装mysql数据库&#xff0c;前期准备工作&#xff1a;首先在http://www.mysql.com/downloads/mysql/里面下载两个文件&#xff0c;&#xff08;1&#xff09;MySQL-server-5.6.10-1.linux_glibc2.5.i386.rpm&#xff08;2&#xff09;MySQL-client-5.6.10-1.linux…

一定用得到的免费 C++ 资源,值得收藏!

提到C/C语言很多初学者都觉得&#xff0c;学到中间就进行不下去了&#xff0c;但是如果你最难啃的那几块硬骨头拿下&#xff0c;一切都会顺畅许多&#xff0c;而且C诞生很久了&#xff0c;因此有大量可以免费阅读编程文档。近日&#xff0c;在Quora上发现一份免费的C 资料列表&…

将试用版visual studio 2008升级为正式版 --更新

引用自 pkdoor 升级VS 2005 的方法如果我们不小心安装VS 2008的时候,没有事先更改CDKEY 我们也可以这么做来实现VS 2008的注册在“添加删除”里面选择删除"Microsoft Visual Studio Team System 2008 Team Suite--简体中文",然后在打开的窗口中选择最后一项“添加注册…

课外知识----浏览器存储技术

Cookie Cookie 是指存储在用户本地终端上的数据&#xff0c;同时它是与具体的 Web 页面或者站点相关的。Cookie 数据会自动在 Web 浏览器和 Web 服务器之间传输&#xff0c;也就是说 HTTP 请求发送时&#xff0c;会把保存在该请求域名下的所有 Cookie 值发送给 Web 服务器&…

SQL Server 事务、异常和游标

事务 在数据库中有时候需要把多个步骤的指令当作一个整体来运行&#xff0c;这个整体要么全部成功&#xff0c;要么全部失败&#xff0c;这就需要用到事务。 1、 事务的特点 事务有若干条T-SQL指令组成&#xff0c;并且所有的指令昨晚一个整体提交给数据库系统&#xff0c;执行…

MySQL cast()函数以及json列

在工作中遇到了json列&#xff0c;不清楚如何写SQL&#xff0c;查询了下相关的文档之后总结下&#xff0c;根据json列的值进行区分&#xff0c;列值指的是 json_type(json列)的结果 1、列值为NULL create table t1(c1 int primary key, c2 json);insert into t1 values(4, NU…

算法导论13-1节习题解答

CLRS 13.1-1利用性质画图&#xff0c;略 CLRS 13.1-2是否 CLRS 13.1-3是&#xff0c;因为就根部被改变了&#xff0c;并不与其他性质矛盾。 CLRS 13.1-44&#xff0c;两个子结点都为红色3&#xff0c;两个子结点一红一黑2&#xff0c;两个子结点都为黑 树的叶子的深度将会都一样…

关于z-index的一些问题

div2的z-index为2&#xff0c;但是现在绝对定位的div3明明z-index比它大&#xff0c; 却依旧在这个层之下。原因是z-index是相对同一父元素下叠加时的z轴顺序。 z-index具有继承性&#xff0c;用简单的数学逻辑表示就是&#xff1a;div1的z-index为1&#xff0c;则它 的子元素d…

查询mysql单个分区的方法

os : linux 数据库: musql 8.0.25 今天工作中遇到了如何查询单个分区中数据的问题&#xff0c;记录下以便于后续再次遇到此问题就可以直接查询该文章了。 建表语句和插入数据的SQL语句如下&#xff1a; drop table if exists tt;create table tt (c1 int primary key, c2 va…

2013腾讯编程马拉松初赛(3月20日)

1 第一题 小Q系列故事——屌丝的逆袭 表示这道题基本没什么算法&#xff0c;学过计算机语言的应该都能搞定吧。 2 第二题 小明系列故事——买年货 这道题直接用01背包问题就可以解决了&#xff0c;只是除了钱的限制&#xff0c;还有积分的限制和免费的情况&#xff0c;就是这点…

MySQL中创建partition表的几种方式

OS : linux 数据库&#xff1a;MySQL 8.0.25 MySQL中创建partition表的几种方式如下&#xff0c;这几种方式都是经过验证过的&#xff0c;只需将enginexxx修改即可&#xff1a; 1. PARTITION BY RANGE drop table if exists employees;CREATE TABLE employees (id INT NOT N…

Windows跟Linux的不同处理

1. 时区 1.1 北京时间 Windows&#xff1a;TimeZoneInfo.FindSystemTimeZoneById("China Standard Time"); Linux&#xff1a;TimeZoneInfo tzBeijing TimeZoneInfo.FindSystemTimeZoneById("Asia/Shanghai"); 1.2 美东时间 Window&#xff1a; TimeZoneI…