Home Backend Development Python Tutorial Inventory of common terms in Python

Inventory of common terms in Python

Aug 13, 2019 pm 06:02 PM
python 术语

Inventory of common terms in Python

1. Note:

There is a special symbol at the beginning of the line to tell the programmer to ignore this line at runtime; making the code easier to read.

For example:

#这是一个注释 
print("hello world")  #print() 方法用于打印输出,python中最常见的一个函数
Copy after login

The output result is:

hello world
Copy after login

2. Keywords:

Have special meaning in programming language word.

For example:

#使用keyword模块,可以输出当前版本的所有关键字
import keyword  #import() 函数用于动态加载类和函数 。如果一个模块经常变化就可以使用 import() 来动态载入。
keyword.kwlist   #在命令窗口中输出
>>> import keyword
>>> keyword.kwlist
['False', 'None', 'True', 'and', 'as', 'assert', 'async', 'await', 'break', 'class', 'continue', 'def', 'del', 'elif',
 'else', 'except', 'finally', 'for', 'from', 'global', 'if', 'import', 'in', 'is', 'l
ambda', 'nonlocal', 'not', 'or', 'pass', 'raise', 'return', 'try', 'while', 'with', 'yield']
Copy after login

3. Data type:

Divide data into different categories, and the category to which the data belongs is the data type.

Standard data types

There are six standard data types in Python3:

Number (number)

String (string)

List (list)

Tuple (tuple)

Set (set)

Dictionary (dictionary)

Six standard data types of Python3 Medium:

Immutable data (3): Number, String, Tuple;

Variable data (3): List ), Dictionary, Set.

4. Object:

A data value in Python that has 3 attributes - unique identification, data type and value.

(For example: if you want to kick a ball, the ball is an object, and the size, color, and price of the ball are the attributes of the ball.)

5.Str(string):

The data type of string.

For example:

#用type()查看数据类型
a="abc"
print(type(a),a)
输出结果为:
<class &#39;str&#39;> abc
Copy after login

6. Characters:

For example: a, b, c,, 1, 2, 3 and other single symbols.

7.Int (inetrger):

The data type of integer.

For example:

a=1
# a=int("123")
print(type(a))
输出结果:
<class &#39;int&#39;>
Copy after login

8. Integer data:

An object whose data type is int and whose value is an integer value.

For example:

a=1
print(type(a))
输出结果:
<class &#39;int&#39;>
Copy after login

Related recommendations: "Python Video Tutorial"

9.Float:

Decimal (a number with a decimal point).

For example:

 s=1.0
 w=0.1
 e=8.9
 print(type(s))
 print(type(w))
 print(type(e))
 输出结果:
<class &#39;float&#39;>
<class &#39;float&#39;>
<class &#39;float&#39;>
Copy after login

10. Floating point number:

An object whose data type is float, the value is a decimal value.

11.Bool:

Boolean value.

12. Boolean value:

An object whose data type is bool, the value is True or False.

For example:

a=1
b=2
print(a>b)
print(a<b) 
输出结果:
False
True
Copy after login

13.NoneType:

The data type of the None object.

For example:

>>> print(type(None))
<class &#39;NoneType&#39;>
>>>
Copy after login

14.None:
The value is always None, which is used to indicate missing data or to determine whether a variable is empty. It is the only value of NoneType.

For example:

a=""
b="123"
c=34
d=False
e=[]
print(a==None)
print(b==None)
print(c==None)
print(d==None)
print(e==None)
输出结果:
False
False
False
False
False
Copy after login

It can be seen that from a type perspective, it is not equal to the empty string, not equal to the empty list, and not equal to False.

The correct judgment method is:

def fun():  #定义函数
    return None
a = fun()
if not a:
    print(&#39;T&#39;)
else:
    print(&#39;F&#39;)
 if a is None:
    print(&#39;T&#39;)
 else:
     print(&#39;F&#39;)
输出结果为:
T
T
Copy after login

15. Constant:

A value that will never change. (Including numbers, strings, Boolean values, and empty values. For example, the value of the number 1 is always 1)

For example:

#python内置常量
[&#39;True&#39;、&#39;False&#39;、&#39;None&#39;、&#39;NotImplemented&#39;、&#39;Ellipsis&#39;、&#39;__debug__&#39;]
Copy after login

16. Variable:

You can use the assignment character "=" to perform the value assignment operation, and can be used to save any data type.

For example:

a=1, a is the name of the variable, and 1 is the value of the variable.

int q
q=123
b=0
print(b)
>>0
x=100
print(x)
x=200
print(x)
>>100
>>200
Copy after login
hi="你好"
a="asd"
print(a)
print(hi)
>>asd
>>你好
Copy after login

Note:

1. Variable names cannot contain spaces.

 2. Variable names can only use specific letters, numbers and underscores.

 3. Variable names cannot start with numbers.

 4. Keywords cannot be used as variable names

#以下属于python内置函数,不能设为变量
[&#39;and&#39;, &#39;as&#39;, &#39;assert&#39;, &#39;break&#39;, &#39;class&#39;, &#39;continue&#39;, &#39;def&#39;, &#39;del&#39;, &#39;elif&#39;, &#39;else&#39;, &#39;except&#39;, &#39;exec&#39;, &#39;finally&#39;, 
&#39;for&#39;, &#39;from&#39;, &#39;global&#39;, &#39;if&#39;, &#39;import&#39;, &#39;in&#39;, &#39;is&#39;, &#39;lambda&#39;, &#39;not&#39;, &#39;or&#39;, &#39;pass&#39;, &#39;print&#39;, &#39;raise&#39;, &#39;return&#39;, 
&#39;try&#39;, &#39;while&#39;, &#39;with&#39;, &#39;yield&#39;]
Copy after login

17. Assignment operator:
“=", defines a new value for a variable.

For example:

a="你好”
print(a)
输出结果:
你好
Copy after login

18. Increase:
Increase the value of a variable.

For example:

a=1
a=a+1
print(a)
>>2
   或:
x=1
x+=1
print(x)
>>2
Copy after login

19. Reduce:

Reduce the value of a variable.

For example:

s=2
s=s-1
print(s)
>>1
或:
x=1
x-=1
print(x)
>>0
Copy after login

20. Grammar:

The specification of language, a set of rules and processes for the order of words in a sentence.                         

21. Syntax error:

A fatal programming error caused by violating the grammar of the language.

22. Exception:

Non-fatal programming error.

23. Operator:

Symbols used with operators when expressing.                                                                                                                                                                                                                                             

24. Arithmetic operators:

A type of operator in mathematical expressions. Such as: addition, subtraction, multiplication, division                                                                            

#偶数
12%2
>>0
#奇数
11%2
>>1
Copy after login

25. Operands:
The values ​​on both sides of the operator.                                                                                                         

The above is the detailed content of Inventory of common terms in Python. For more information, please follow other related articles on the PHP Chinese website!

Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

Repo: How To Revive Teammates
1 months ago By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

Is there any mobile app that can convert XML into PDF? Is there any mobile app that can convert XML into PDF? Apr 02, 2025 pm 08:54 PM

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.

How to control the size of XML converted to images? How to control the size of XML converted to images? Apr 02, 2025 pm 07:24 PM

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 &lt;width&gt; and &lt;height&gt; 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.

Is the conversion speed fast when converting XML to PDF on mobile phone? Is the conversion speed fast when converting XML to PDF on mobile phone? Apr 02, 2025 pm 10:09 PM

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.

How to convert XML files to PDF on your phone? How to convert XML files to PDF on your phone? Apr 02, 2025 pm 10:12 PM

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.

What is the function of C language sum? What is the function of C language sum? Apr 03, 2025 pm 02:21 PM

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.

Is there a mobile app that can convert XML into PDF? Is there a mobile app that can convert XML into PDF? Apr 02, 2025 pm 09:45 PM

There is no APP that can convert all XML files into PDFs because the XML structure is flexible and diverse. The core of XML to PDF is to convert the data structure into a page layout, which requires parsing XML and generating PDF. Common methods include parsing XML using Python libraries such as ElementTree and generating PDFs using ReportLab library. For complex XML, it may be necessary to use XSLT transformation structures. When optimizing performance, consider using multithreaded or multiprocesses and select the appropriate library.

How to evaluate the quality of XML conversion to images? How to evaluate the quality of XML conversion to images? Apr 02, 2025 pm 07:33 PM

The quality evaluation of XML to pictures involves many indicators: Visual fidelity: The picture accurately reflects XML data, manual or algorithm evaluation; Data integrity: The picture contains all necessary information, automated test verification; File size: The picture is reasonable, affecting loading speed and details; Rendering speed: The image is generated quickly, depending on the algorithm and hardware; Error handling: The program elegantly handles XML format errors and data missing.

How to modify node content in XML How to modify node content in XML Apr 02, 2025 pm 07:21 PM

XML node content modification skills: 1. Use the ElementTree module to locate nodes (findall(), find()); 2. Modify text attributes; 3. Use XPath expressions to accurately locate them; 4. Consider encoding, namespace and exception handling; 5. Pay attention to performance optimization (avoid repeated traversals)

See all articles