python series 4
Directory
Recursive algorithm analysis
risk Bubble sorting analysis
Decorator analysis
1. Recursion
1. The definition of recursion
Recursion, also known as recursion, in mathematics and computer science, refers to the method of using the function itself in the definition of the function. The term recursion is also used longer to describe the process of repeating things in a self-similar way.
F0 = 0F1 = 1
2. The principle of recursion
(1). Example:
defth == 5= a1 += defth + 1== recursion(1, 0, 1(ret)
The following picture shows the execution process of the entire function. The red ones represent nesting layer by layer inside, and the green ones represent the return values of the function being returned layer by layer. In fact, recursion is this principle. After entering this function again through the execution flow of a function, after returning a value through a condition, it returns again layer by layer according to the execution flow just now, and finally gets the return value, but when recursing Two points should be noted:
1. His condition must be such that his recursion can return a value within a certain condition, otherwise it will continue to recurse until the computer resources are exhausted (Python has recursion by default Number of times limit)
2. Return value, the recursive function inside generally needs to give it a certain return value, otherwise you will not get the desired value when the last recursion is returned.
2. Bubble sorting
1. Bubble sorting principle
Bubble sorting is a Simple sorting algorithm. He repeatedly walks through the sequence to be sorted, comparing two elements at a time and swapping them if they are in the wrong order.
冒泡排序算法的运作如下: 1. 比较相邻的元素。如果第一个比第二个大,就交换他们两个。 2. 对每一对相邻元素作同样的工作,从开始第一对到结尾的最后一对。这步做完后,最后的元素会是最大的数。 3. 针对所有的元素重复以上的步骤,除了最后一个。 4. 持续每次对越来越少的元素重复上面的步骤,直到没有任何一对数字需要比较
The principle of exchanging data
Use a peripheral variable to save the original value first, and then exchange data through point-to-address conversion. Note: When temp points to a, and then a points to b, the point of temp itself does not change. As shown in the figure below, a points to b, but temp still points to the address of a, so it is still 66
a = 66b = 88temp = a a = b b = temp
The principle of bubble sort
2. Bubble sorting Bubble sorting example
1 # -*- coding:utf-8 -*- 2 # zhou 3 # 2017/6/17 4 list = [0, 88, 99, 33, 22, 11, 1] 5 for j in range(1, len(list)): 6 for i in range(len(list) - j): 7 # 如果第一个数据大, 则交换数据, 否则, 不做改变 8 if list[i] > list[i + 1]: 9 temp = list[i]10 list[i] = list[i + 1]11 list[i + 1] = temp12 print(list)
3. Decorator
1. Decorator definition
What is a decorator? Simply put, it is a subtle extension of the code without changing the source function code to further enhance its functionality. A decorator is a function, a function loaded on top of other functions.
Let’s first understand a few concepts:
# From the above, it can be seen that the execution flow of the function should be from top to bottom. That is to say, the code first loads the first test1 into the memory, and then allocates a new memory to store the second test1.
This should be the point where the first test1 has been changed to 890673481792.
def test1():print('日本人.')print(id(test1))def test1():print('中国人.')print(id(test1)) test1() 执行结果:890673481656 890673481792中国人.
It can be seen from the following results that the function name is actually a variable that can be used to pass variables.
<3> . Function nesting Three functions are defined here, test1, test2, test3, 3 has 1 nested in it, and 1 has 2 nested in it. From its results, you must also see that the function execution flow.
(=<function test1 at 0x000000E2D403C7B8> <function test1 at 0x000000E2D403C7B8>
2. 装饰器原理
(1). 装饰器的写法和使用
<1>. 装饰器也是一个函数
<2>. 使用装饰器的格式: 在一个函数前面加上:@装饰器的名字
(2). 装饰器的原理
<1>. 把test1函数当做一个变量传入outer中
func = test1
<2>. 把装饰器嵌套的一个函数inner赋值给test1
test1 = inner
<3>. 当执行test1函数的时候,就等于执行了inner函数,因此在最后的那个test1()命令其实执行的就是inner,因此先输出(你是哪国人)
<4>. 按照执行流执行到func函数的时候,其实执行的就是原来的test1函数,因此接着输出(我是中国人),并把它的返回值返回给了ret
<5>. 当原来的test1函数执行完了之后,继续执行inner里面的命令,因此输出了(Oh,hh, I love China.)
(3). 装饰器的总结
由上面的执行流可以看出来,其实装饰器把之前的函数当做参数传递进去,然后创建了另一个函数用来在原来的函数之前或者之后加上所需要的功能。
(=((
3. 带参数的装饰器
为了装饰器的高可用,一般都会采用下面的方式,也就是无论所用的函数是多少个参数,这个装饰器都可以使用
Python内部会自动的分配他的参数。
# -*- coding:utf-8 -*-# zhou# 2017/6/17def outer(func):def inner(a, *args, **kwargs):print('你是哪国人?') ret = func(a, *args, **kwargs)print('Oh, hh, I love China.')return inner @outerdef test1(a, *args, **kwargs):print('我是中国人.') test1(1)
3. 装饰器的嵌套
<1>. 第一层装饰器的简化(outer装饰器)
<2>. 第二层装饰器简化(outer0装饰器)
<3>. 装饰器嵌套攻击额,我们可以发现一层装饰器其实就是把原函数嵌套进另一个函数中间,因此我们只需要一层一层的剥开嵌套就可以了。
# -*- coding:utf-8 -*-# zhou# 2017/6/17def outer0(func):def inner():print('Hello, Kitty.') ret = func()print('我是日本人.')return innerdef outer(func):def inner():print('你是哪国人?') ret = func()print('你呢?')return inner @outer0 @outerdef test1():print('我是中国人.') test1() 结果Hello, Kitty. 你是哪国人? 我是中国人. 你呢? 我是日本人.
The above is the detailed content of python series 4. For more information, please follow other related articles on the PHP Chinese website!

Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

Notepad++7.3.1
Easy-to-use and free code editor

SublimeText3 Chinese version
Chinese version, very easy to use

Zend Studio 13.0.1
Powerful PHP integrated development environment

Dreamweaver CS6
Visual web development tools

SublimeText3 Mac version
God-level code editing software (SublimeText3)

Hot Topics

The speed of mobile XML to PDF depends on the following factors: the complexity of XML structure. Mobile hardware configuration conversion method (library, algorithm) code quality optimization methods (select efficient libraries, optimize algorithms, cache data, and utilize multi-threading). Overall, there is no absolute answer and it needs to be optimized according to the specific situation.

It is impossible to complete XML to PDF conversion directly on your phone with a single application. It is necessary to use cloud services, which can be achieved through two steps: 1. Convert XML to PDF in the cloud, 2. Access or download the converted PDF file on the mobile phone.

There is no built-in sum function in C language, so it needs to be written by yourself. Sum can be achieved by traversing the array and accumulating elements: Loop version: Sum is calculated using for loop and array length. Pointer version: Use pointers to point to array elements, and efficient summing is achieved through self-increment pointers. Dynamically allocate array version: Dynamically allocate arrays and manage memory yourself, ensuring that allocated memory is freed to prevent memory leaks.

An application that converts XML directly to PDF cannot be found because they are two fundamentally different formats. XML is used to store data, while PDF is used to display documents. To complete the transformation, you can use programming languages and libraries such as Python and ReportLab to parse XML data and generate PDF documents.

XML can be converted to images by using an XSLT converter or image library. XSLT Converter: Use an XSLT processor and stylesheet to convert XML to images. Image Library: Use libraries such as PIL or ImageMagick to create images from XML data, such as drawing shapes and text.

To generate images through XML, you need to use graph libraries (such as Pillow and JFreeChart) as bridges to generate images based on metadata (size, color) in XML. The key to controlling the size of the image is to adjust the values of the <width> and <height> tags in XML. However, in practical applications, the complexity of XML structure, the fineness of graph drawing, the speed of image generation and memory consumption, and the selection of image formats all have an impact on the generated image size. Therefore, it is necessary to have a deep understanding of XML structure, proficient in the graphics library, and consider factors such as optimization algorithms and image format selection.

Use most text editors to open XML files; if you need a more intuitive tree display, you can use an XML editor, such as Oxygen XML Editor or XMLSpy; if you process XML data in a program, you need to use a programming language (such as Python) and XML libraries (such as xml.etree.ElementTree) to parse.

XML formatting tools can type code according to rules to improve readability and understanding. When selecting a tool, pay attention to customization capabilities, handling of special circumstances, performance and ease of use. Commonly used tool types include online tools, IDE plug-ins, and command-line tools.
