我的编程空间,编程开发者的网络收藏夹
学习永远不晚

Python-语法模板大全(常用)

短信预约 -IT技能 免费直播动态提醒
省份

北京

  • 北京
  • 上海
  • 天津
  • 重庆
  • 河北
  • 山东
  • 辽宁
  • 黑龙江
  • 吉林
  • 甘肃
  • 青海
  • 河南
  • 江苏
  • 湖北
  • 湖南
  • 江西
  • 浙江
  • 广东
  • 云南
  • 福建
  • 海南
  • 山西
  • 四川
  • 陕西
  • 贵州
  • 安徽
  • 广西
  • 内蒙
  • 西藏
  • 新疆
  • 宁夏
  • 兵团
手机号立即预约

请填写图片验证码后获取短信验证码

看不清楚,换张图片

免费获取短信验证码

Python-语法模板大全(常用)

目录

  • 1.怎么存数据
    • 变量:
    • 字符串: 不可变对象
    • 列表:
    • 元组:
    • 字典:
    • 三大容器的遍历方法
  • 2.怎么用数据
    • 数字操作符:
    • 判断循环:
  • 3.函数
  • 4. Python核心编程
    • 4.1. 列表生成器
  • 5. 类和对象
    • 5.1. 定义类的模板
    • 5.2.继承
    • 5.3 多态
  • 6. IO文件操作和OS目录操作
    • OS操作
    • IO文件
  • 7. 正则表达式及re模块的使用
    • 7.2. re模块的使用

插入Python数据类型.png

变量:

age =10

字符串: 不可变对象

name = "python"

a = "pythonpythonpython"

# 索引和切片
a[0]         # index
a[-1]
a[0:3]       # slice
a[0:6:2]
a[-1:-7:-1]
a[::-1]          # slice reverse

字符串方法详见:https://www.cnblogs.com/haochen273/p/10244032.html#%E5%AD%97%E7%AC%A6%E4%B8%B2

列表:

[1,2,3,"python"]

a = [1,2,3,"python"] 

len(a)
a[0]
[i*2 for i in a]
a.append(50)
a.insert(2,15)
a.extend([5,8,10])
a[0]="java"
"python" in a 
a.index("python")
a.count(1)
a.pop(index)

元组:

(1,2,3)(不可以更改.与list类似)

字典:

{"a":100, "b":"666"}

d = {'Michael': 95, 'Bob': 75, 'Tracy': 85}

d['Michael']
d['Adam'] = 67
'Thomas' in d
d.get('Thomas')
d.pop('Bob')

三大容器的遍历方法

a = [1,2,3]
for i in a:
    print(i)

b = (1,2,3)
for i in b:
    print(b)

c = {"a":10, "b":20, "c":30}
for key,value in dict.items():
    print("key = %s, value = %d"%(key,value))

数字操作符:

+、-、*、/、%、//、**

判断循环:

  • if判断:
if a>10:
  b = a + 20
  if b>20:
    pass
elif: a>8:
  pass
else:
  pass
  • while循环
while i<5:
  # do something
  pass
  i = i + 1

while true:
  pass
  • for循环
for i in [1,2,3]:
    print(i) 
  • break和continue的使用
# break:打断全部循环
for i in [1,2,3,4,5]:
    print("----")
    if i==4:
        break
    print(i)  
# continue: 打断一次循环
for i in [1,2,3,4,5]:
    print("----")
    if i==4:
        continue
    print(i)
# 位置参数
def person(name, age):
  print(name,age)

# 默认参数

def person(name,age=20):
  print(name, age)

# 关键字参数
def person(name, age, **kw):
    print('name:', name, 'age:', age, 'other:', kw)

person('hao', 20) # name: Michael age: 30 other: {}
person('hao', 20, gener = 'M', job = 'Engineer') # name: Adam age: 45 other: {'gender': 'M', 'job': 'Engineer'}
extra = {'city': 'Beijing', 'job': 'Engineer'}
person('Jack', 24, **extra)

# 命名关键字参数
def person(name, age, *, city='Beijing', job):
    print(name, age, city, job)

person('Jack', 24, job = '123')
person('Jack', 24, city = 'Beijing', job = 'Engineer')

# Combination
# 可变 + 关键字参数
def f1(a, b, c=0, *args, **kw):
    print('a =', a, 'b =', b, 'c =', c, 'args =', args, 'kw =', kw)

f1(1, 2, 3, 'a', 'b')   # a = 1 b = 2 c = 3 args = ('a', 'b') kw = {'x': 99}
f1(1, 2, 3, 'a', 'b', x=99) # a = 1 b = 2 c = 0 d = 99 kw = {'ext': None}

# 默认参数 + 命名关键字参数 + 关键字参数
def f2(a, b, c=0, *, d, **kw):
    print('a =', a, 'b =', b, 'c =', c, 'd =', d, 'kw =', kw)

f2(1, 2, d=99, ext=None) # a = 1 b = 2 c = 0 d = 99 kw = {'ext': None}

4.1. 列表生成器

[x * x for x in range(1, 11) if x % 2 == 0]

5.1. 定义类的模板

class Student(object):
    def __init__(self, name, score):
        self.__name = name
        self.__score = score

    # print(mike)
    def __str__(self):
        msg = "name: " + self.__name + "score: " + str(self.__score)
        return msg

    # mike
    __repr__ = __str__
    # mike()
    __call__ = __str__

    @property
    def name(self):
        return self.__name

    @name.setter
    def name(self, value):
        if type(value) == str:
            self.__name = value
        else:
            raise ValueError('Bad name')

    @property
    def score(self):
        return self.__score

    @score.setter
    def score(self, value):
        if 0 <= value <= 100:
            self.__score = value
        else:
            raise ValueError('Bad score')

    def final_report(self):
        if self.__score >= 90:
            level = 'A'
        elif self.__score >= 70:
            level = 'B'
        elif self.__score >= 60:
            level = 'C'
        else:
            level = 'D'
        msg = "Your final value is: " + level
        return msg

# 调用

mike = Student('mike', 85)
print("-" * 20 + "Print property" + "-" * 20)
print(mike)
print("name: %s" % (mike.name))
print("-" * 30 + "Print methods" + "-" * 20)
print(mike.final_report())
print("-" * 30 + "Print modified infor" + "-" * 20)
mike.name = "Obama"
mike.score = 50
print("-" * 30)
print("modified name: %s" % (mike.name))
--------------------Print property--------------------
name: mikescore: 85
name: mike
------------------------------Print methods--------------------
Your final value is: B
------------------------------Print modified infor--------------------
------------------------------
modified name: Obama

5.2.继承

class SixGrade(Student):
    def __init__(self, name, score, grade):
        super().__init__(name, score)
        self.__grade = grade

    # grade是一个只读属性
    @property
    def grade(self):
        return self.__grade

    def final_report(self, comments):
        # 子类中调用父类方法
        text_from_Father = super().final_report()
        print(text_from_Father)
        msg = "commants from teacher: " + comments
        print(msg)

print("-" * 20 + "继承" + "-" * 20)
fangfang = SixGrade('fang', 95, 6)
fangfang.final_report("You are handsome")
print(fangfang.grade)
--------------------继承--------------------
Your final value is: A
commants from teacher: You are handsome
6

5.3 多态

class SixGrade(Student):
    pass

class FiveGrade(Student):
    pass

def print_level(Student):
    msg = Student.final_report()
    print(msg)

print_level(Student('from class', 90))
print_level(SixGrade('from subclass-1', 56))
print_level(FiveGrade('from subclass-2', 85))
Your final value is: A
Your final value is: D
Your final value is: B

OS操作

import os
# 获取当前目录的绝对路径
path = os.path.abspath('.')
# 创建一个目录
os.path.join('/Users/michael', 'testdir')
os.mkdir('/Users/michael/testdir')
# 删除一个目录
os.rmdir('/Users/michael/testdir')
# 拆分路径
os.path.split('/Users/michael/testdir/file.txt')  # ('/Users/michael/testdir', 'file.txt')
os.path.splitext('/path/to/file.txt')  # ('/path/to/file', '.txt')
# 重命名
os.rename('test.txt', 'test.py')
# 删除文件
os.remove('test.py')
# 列出所有python文件
[x for x in os.listdir('.') if os.path.isfile(x) and os.path.splitext(x)[1]=='.py']

IO文件

方法 特性 性能
read() 读取全部内容 一般
readline() 每次读出一行内容 占用内存最少
readlines() 读取整个文件所有行,保存在一个列表(list)变量中,每行作为一个元素 最好(内存足)
write() 写文件
# 读

# 下面是read()方法的使用,“r”表示read
with open('testRead.txt', 'r', encoding='UTF-8') as f1:
    results = f1.read()    # 读取数据
    print(results)

# 下面是readline()方法的使用,“r”表示read
with open('testRead.txt', 'r', encoding='UTF-8') as f2:
    line = f2.readline()    # 读取第一行
    while line is not None and line != '':
        print(line)
        line = f2.readline()    # 读取下一行

# 下面是readlines()方法的使用,“r”表示read
with open('testRead.txt', 'r', encoding='UTF-8') as f3:
    lines = f3.readlines()    # 接收数据
    for line in lines:     # 遍历数据
        print(line)

# 写

with open('/User/test.txt', 'w') as f:
  f.write('hello')

主要参考资料为:

  • Python正则表达式指南

    6.1. 正则表达式语法

  • re模块的使用

7.2. re模块的使用

内置的 re 模块来使用正则表达式,提供了很多内置函数:

  1. pattern = re.compile(pattern[, flag]):
  • 参数:
    • pattern: 字符串形式的正则
    • flag: 可选模式,表示匹配模式
  • 例子:
import re

pattern = re.compile(r'\d+')
  1. Pattern的常用方法
import re

pattern = re.compile(r'\d+')

m0 = pattern.match('one12twothree34four')
m = pattern.match('one12twothree34four', 3, 10)

print("-" * 15 + "Match methods" + "-" * 15)
print("found strings: ", m.group(0))
print("start index of found strings: ", m.start(0))
print("end index of found strings: ", m.end(0))
print("Span length of found strigns: ", m.span(0))

s = pattern.search('one12twothree34four')

print("-" * 15 + "Search methods" + "-" * 15)
print("found strings: ", s.group(0))
print("start index of found strings: ", s.start(0))
print("end index of found strings: ", s.end(0))
print("Span length of found strigns: ", s.span(0))

f = pattern.findall('one1two2three3four4', 0, 10)

print("-" * 15 + "findall methods" + "-" * 15)
print("found strings: ", f)

f_i = pattern.finditer('one1two2three3four4', 0, 10)

print("-" * 15 + "finditer methods" + "-" * 15)
print("type of method: ", type(f_i))
for m1 in f_i:  # m1 是 Match 对象
    print('matching string: {}, position: {}'.format(m1.group(), m1.span()))

p = re.compile(r'[\s\,\;]+')
print("-" * 15 + "Split methods" + "-" * 15)
print("split a,b;c.d: ", p.split('a,b;; c   d'))

p1 = re.compile(r'(\w+) (\w+)')
s1 = 'hello 123, hello 456'


def func(m):
    return 'hi' + ' ' + m.group(2)


print("-" * 15 + "替换 methods" + "-" * 15)
print(p1.sub(r'hello world', s1))  # 使用 'hello world' 替换 'hello 123' 和 'hello 456'
print(p1.sub(r'\2 \1', s1))  # 引用分组
print(p1.sub(func, s1))
print(p1.sub(func, s1, 1))  # 最多替换一次

结果是:

---------------Match methods---------------
found strings:  12
start index of found strings:  3
end index of found strings:  5
Span length of found strigns:  (3, 5)
---------------Search methods---------------
found strings:  12
start index of found strings:  3
end index of found strings:  5
Span length of found strigns:  (3, 5)
---------------findall methods---------------
found strings:  ['1', '2']
---------------finditer methods---------------
type of method:  <class 'callable_iterator'>
matching string: 1, position: (3, 4)
matching string: 2, position: (7, 8)
---------------Split methods---------------
split a,b;c.d:  ['a', 'b', 'c', 'd']
---------------替换 methods---------------
hello world, hello world
123 hello, 456 hello
hi 123, hi 456
hi 123, hello 456

免责声明:

① 本站未注明“稿件来源”的信息均来自网络整理。其文字、图片和音视频稿件的所属权归原作者所有。本站收集整理出于非商业性的教育和科研之目的,并不意味着本站赞同其观点或证实其内容的真实性。仅作为临时的测试数据,供内部测试之用。本站并未授权任何人以任何方式主动获取本站任何信息。

② 本站未注明“稿件来源”的临时测试数据将在测试完成后最终做删除处理。有问题或投稿请发送至: 邮箱/279061341@qq.com QQ/279061341

Python-语法模板大全(常用)

下载Word文档到电脑,方便收藏和打印~

下载Word文档

猜你喜欢

Python-语法模板大全(常用)

目录 1.怎么存数据 变量: 字符串: 不可变对象 列表: 元组: 字典: 三大容器的遍历方法
2023-01-30

常用python编程模板汇总

在我们编程时,有一些代码是固定的,例如Socket连接的代码,读取文件内容的代码,一般情况下我都是到网上搜一下然后直接粘贴下来改一改,当然如果你能自己记住所有的代码那更厉害,但是自己写毕竟不如粘贴来的快,而且自己写的代码还要测试,而一段经过
2022-06-04

python编程语法大全

python 的基本数据类型包括:整数、浮点数、字符串、布尔值、列表、元组、字典。此外,python 还有变量、运算符、控制流、函数、类、缩进、注释、模块和包等其他语法元素。掌握这些语法元素,即可开始编写 python 程序。Python
python编程语法大全
2024-04-20

Mysql 常用 SQL 语句大全

基础篇//查询时间,友好提示 $sql = "select date_format(create_time, '%Y-%m-%d') as day from table_name"; //int 时间戳类型 $sql = "select f
2022-05-24

mysql sql常用语句大全

一 、常用操作数据库的命令show databases; 查看所有的数据库create database test; 创建一个叫test的数据库drop database test;删除一个叫test的数据库use test;选中库
2022-06-18

python中的import语句用法大全

import语句有什么用?import语句用来导入其他python文件(称为模块module),使用该模块里定义的类、方法或者变量,从而达到代码复用的目的。 import 语句官方文档https://docs.python.org/zh-c
2022-06-02

python常用资源大全

Python基本安装:     * http://www.python.org/ 官方标准Python开发包和支持环境,同时也是Python的官方网站;     * http://www.activestate.com/ 集成多个有用插件的
2023-01-31

VUE 模板语法陷阱:避免常见错误

Vue 模板语法强大的同时,也暗藏陷阱。了解这些陷阱并避免它们,可以提升你的 Vue 开发效率和代码质量。
VUE 模板语法陷阱:避免常见错误
2024-03-04

C++ 函数模板的语法和用法

函数模板允许以类型无关的方式编写代码,提供编译时多态性。语法为 template,其中 t 为模板参数。函数模板可以用于各种任务,例如交换元素或查找数组中的最大值。在使用前必须声明模板,并且最好避免在模板中使用指针。C++ 函数模板的语法和
C++ 函数模板的语法和用法
2024-04-14

python Django模板的使用方法

模板是一个文本,用于分离文档的表现形式和内容。 模板定义了占位符以及各种用于规范文档该如何显示的各部分基本逻辑(模板标签)。 模板通常用于产生HTML,但是Django的模板也能产生任何基于文本格式的文档。 来一个项目说明 1、建立MyDj
2022-06-04

python三大模型与十大常用算法实例发现

这篇文章主要介绍了python三大模型与十大常用算法实例发现的相关知识,内容详细易懂,操作简单快捷,具有一定借鉴价值,相信大家阅读完这篇python三大模型与十大常用算法实例发现文章都会有所收获,下面我们一起来看看吧。1 三大模型与十大常用
2023-07-02

Vue3中的模板语法怎么使用

这篇文章主要介绍“Vue3中的模板语法怎么使用”,在日常操作中,相信很多人在Vue3中的模板语法怎么使用问题上存在疑惑,小编查阅了各式资料,整理出简单好用的操作方法,希望对大家解答”Vue3中的模板语法怎么使用”的疑惑有所帮助!接下来,请跟
2023-07-05

编程热搜

  • Python 学习之路 - Python
    一、安装Python34Windows在Python官网(https://www.python.org/downloads/)下载安装包并安装。Python的默认安装路径是:C:\Python34配置环境变量:【右键计算机】--》【属性】-
    Python 学习之路 - Python
  • chatgpt的中文全称是什么
    chatgpt的中文全称是生成型预训练变换模型。ChatGPT是什么ChatGPT是美国人工智能研究实验室OpenAI开发的一种全新聊天机器人模型,它能够通过学习和理解人类的语言来进行对话,还能根据聊天的上下文进行互动,并协助人类完成一系列
    chatgpt的中文全称是什么
  • C/C++中extern函数使用详解
  • C/C++可变参数的使用
    可变参数的使用方法远远不止以下几种,不过在C,C++中使用可变参数时要小心,在使用printf()等函数时传入的参数个数一定不能比前面的格式化字符串中的’%’符号个数少,否则会产生访问越界,运气不好的话还会导致程序崩溃
    C/C++可变参数的使用
  • css样式文件该放在哪里
  • php中数组下标必须是连续的吗
  • Python 3 教程
    Python 3 教程 Python 的 3.0 版本,常被称为 Python 3000,或简称 Py3k。相对于 Python 的早期版本,这是一个较大的升级。为了不带入过多的累赘,Python 3.0 在设计的时候没有考虑向下兼容。 Python
    Python 3 教程
  • Python pip包管理
    一、前言    在Python中, 安装第三方模块是通过 setuptools 这个工具完成的。 Python有两个封装了 setuptools的包管理工具: easy_install  和  pip , 目前官方推荐使用 pip。    
    Python pip包管理
  • ubuntu如何重新编译内核
  • 改善Java代码之慎用java动态编译

目录