python3参考秘籍-附PDF下载
简介
Python作为一个开源的优秀语言,随着它在数据分析和机器学习方面的优势,已经得到越来越多人的喜爱。据说小学生都要开始学Python了。
Python的优秀之处在于可以安装很多非常强大的lib库,从而进行非常强大的科学计算。
讲真,这么优秀的语言,有没有什么办法可以快速的进行学习呢?
有的,本文就是python3的基础秘籍,看了这本秘籍python3的核心思想就掌握了,文末还有PDF下载链接哦,欢迎大家下载。
Python的主要数据类型
python中所有的值都可以被看做是一个对象Object。每一个对象都有一个类型。
下面是三种最最常用的类型:
- Integers (int)
整数类型,比如: -2, -1, 0, 1, 2, 3, 4, 5
- Floating-point numbers (float)
浮点类型,比如:-1.25, -1.0, --0.5, 0.0, 0.5, 1.0, 1.25
- Strings
字符串类型,比如:“www.flydean.com”
注意,字符串是不可变的,如果我们使用replace() 或者 join() 方法,则会创建新的字符串。
除此之外,还有三种类型,分别是列表,字典和元组。
- 列表
列表用方括号表示: a_list = [2, 3, 7, None]
- 元组
元组用圆括号表示: tup=(1,2,3) 或者直接用逗号表示:tup=1,2,3
Python中的String操作
python中String有三种创建方式,分别可以用单引号,双引号和三引号来表示。
基本操作
my_string = “Let’s Learn Python!”
another_string = ‘It may seem difficult first, but you can do it!’
a_long_string = ‘’‘Yes, you can even master multi-line strings
that cover more than one line
with some practice’’’
也可以使用print来输出:
print(“Let’s print out a string!”)
String连接
String可以使用加号进行连接。
string_one = “I’m reading “
string_two = “a new great book!”
string_three = string_one + string_two
注意,加号连接不能连接两种不同的类型,比如String + integer,如果你这样做的话,会报下面的错误:
TypeError: Can’t convert ‘int’ object to str implicitly
String复制
String可以使用 * 来进行复制操作:
‘Alice’ * 5 ‘AliceAliceAliceAliceAlice’
或者直接使用print:
print(“Alice” * 5)
Math操作
我们看下python中的数学操作符:
操作符 | 含义 | 举例 |
---|---|---|
** | 指数操作 | 2 * 3 = 8* |
% | 余数 | 22 % 8 = 6 |
// | 整数除法 | 22 // 8 = 2 |
/ | 除法 | 22 / 8 = 2.75 |
***** | 乘法 | 3*3= 9 |
- | 减法 | 5-2= 3 |
+ | 加法 | 2+2= 4 |
内置函数
我们前面已经学过了python中内置的函数print(),接下来我们再看其他的几个常用的内置函数:
- Input() Function
input用来接收用户输入,所有的输入都是以string形式进行存储:
name = input(“Hi! What’s your name? “)
print(“Nice to meet you “ + name + “!”)
age = input(“How old are you “)
print(“So, you are already “ + str(age) + “ years old, “ + name + “!”)
运行结果如下:
Hi! What’s your name? “Jim”
Nice to meet you, Jim!
How old are you? 25
So, you are already 25 years old, Jim!
- len() Function
len()用来表示字符串,列表,元组和字典的长度。
举个例子:
# testing len()
str1 = “Hope you are enjoying our tutorial!”
print(“The length of the string is :”, len(str1))
输出:
The length of the string is: 35
- filter()
filter从可遍历的对象,比如列表,元组和字典中过滤对应的元素:
ages = [5, 12, 17, 18, 24, 32]
def myFunc(x):
if x < 18:
return False
else:
return True
adults = filter(myFunc, ages)
for x in adults:
print(x)
函数Function
python中,函数可以看做是用来执行特定功能的一段代码。
我们使用def来定义函数:
def add_numbers(x, y, z):
a= x + y
b= x + z
c= y + z
print(a, b, c)
add_numbers(1, 2, 3)
注意,函数的内容要以空格或者tab来进行分隔。
传递参数
函数可以传递参数,并可以通过通过命名参数赋值来传递参数:
# Define function with parameters
def product_info(productname, dollars):
print("productname: " + productname)
print("Price " + str(dollars))
# Call function with parameters assigned as above
product_info("White T-shirt", 15)
# Call function with keyword arguments
product_info(productname="jeans", dollars=45)
列表
列表用来表示有顺序的数据集合。和String不同的是,List是可变的。
看一个list的例子:
my_list = [1, 2, 3]
my_list2 = [“a”, “b”, “c”]
my_list3 = [“4”, d, “book”, 5]
除此之外,还可以使用list() 来对元组进行转换:
alpha_list = list((“1”, “2”, “3”))
print(alpha_list)
添加元素
我们使用append() 来添加元素:
beta_list = [“apple”, “banana”, “orange”]
beta_list.append(“grape”)
print(beta_list)
或者使用insert() 来在特定的index添加元素:
beta_list = [“apple”, “banana”, “orange”]
beta_list.insert(“2 grape”)
print(beta_list)
从list中删除元素
我们使用remove() 来删除元素
beta_list = [“apple”, “banana”, “orange”]
beta_list.remove(“apple”)
print(beta_list)
或者使用pop() 来删除最后的元素:
beta_list = [“apple”, “banana”, “orange”]
beta_list.pop()
print(beta_list)
或者使用del 来删除具体的元素:
beta_list = [“apple”, “banana”, “orange”]
del beta_list [1]
print(beta_list)
合并list
我们可以使用+来合并两个list:
my_list = [1, 2, 3]
my_list2 = [“a”, “b”, “c”]
combo_list = my_list + my_list2
combo_list
[1, 2, 3, ‘a’, ‘b’, ‘c’]
创建嵌套的list
我们还可以在list中创建list:
my_nested_list = [my_list, my_list2]
my_nested_list
[[1, 2, 3], [‘a’, ‘b’, ‘c’]]
list排序
我们使用sort()来进行list排序:
alpha_list = [34, 23, 67, 100, 88, 2]
alpha_list.sort()
alpha_list
[2, 23, 34, 67, 88, 100]
list切片
我们使用[x:y]来进行list切片:
alpha_list[0:4]
[2, 23, 34, 67]
修改list的值
我们可以通过index来改变list的值:
beta_list = [“apple”, “banana”, “orange”]
beta_list[1] = “pear”
print(beta_list)
输出:
[‘apple’, ‘pear’, ‘cherry’]
list遍历
我们使用for loop 来进行list的遍历:
for x in range(1,4):
beta_list += [‘fruit’]
print(beta_list)
list拷贝
可以使用copy() 来进行list的拷贝:
beta_list = [“apple”, “banana”, “orange”]
beta_list = beta_list.copy()
print(beta_list)
或者使用list()来拷贝:
beta_list = [“apple”, “banana”, “orange”]
beta_list = list (beta_list)
print(beta_list)
list高级操作
list还可以进行一些高级操作:
list_variable = [x for x in iterable]
number_list = [x ** 2 for x in range(10) if x % 2 == 0]
print(number_list)
元组
元组的英文名叫Tuples,和list不同的是,元组是不能被修改的。并且元组的速度会比list要快。
看下怎么创建元组:
my_tuple = (1, 2, 3, 4, 5)
my_tuple[0:3]
(1, 2, 3)
元组切片
numbers = (0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12)
print(numbers[1:11:2])
输出:
(1,3,5,7,9)
元组转为list
可以使用list和tuple进行相互转换:
x = (“apple”, “orange”, “pear”)
y = list(x)
y[1] = “grape”
x = tuple(y)
print(x)
字典
字典是一个key-value的集合。
在python中key可以是String,Boolean或者integer类型:
Customer 1= {‘username’: ‘john-sea’, ‘online’: false, ‘friends’:100}
创建字典
下面是两种创建空字典的方式:
new_dict = {}
other_dict= dict()
或者像下面这样来初始赋值:
new_dict = {
“brand”: “Honda”,
“model”: “Civic”,
“year”: 1995
}
print(new_dict)
访问字典的元素
我们这样访问字典:
x = new_dict[“brand”]
或者使用dict.keys()
,dict.values()
,dict.items()
来获取要访问的元素。
修改字典的元素
我们可以这样修改字典的元素:
#Change the “year” to 2020:
new_dict= {
“brand”: “Honda”,
“model”: “Civic”,
“year”: 1995
}
new_dict[“year”] = 2020
遍历字典
看下怎么遍历字典:
#print all key names in the dictionary
for x in new_dict:
print(x)
#print all values in the dictionary
for x in new_dict:
print(new_dict[x])
#loop through both keys and values
for x, y in my_dict.items(): print(x, y)
if语句
和其他的语言一样,python也支持基本的逻辑判断语句:
- Equals: a == b
- Not Equals: a != b
- Less than: a < b
- Less than or equal to a <= b
- Greater than: a > b
- Greater than or equal to: a >= b
看下在python中if语句是怎么使用的:
if 5 > 1:
print(“That’s True!”)
if语句还可以嵌套:
x = 35
if x > 20:
print(“Above twenty,”)
if x > 30:
print(“and also above 30!”)
elif:
a = 45
b = 45
if b > a:
print(“b is greater than a”)
elif a == b:
print(“a and b are equal”)
if else:
if age < 4:
ticket_price = 0
elif age < 18:
ticket_price = 10
else: ticket_price = 15
if not:
new_list = [1, 2, 3, 4]
x = 10
if x not in new_list:
print(“’x’ isn’t on the list, so this is True!”)
Pass:
a = 33
b = 200
if b > a:
pass
Python循环
python支持两种类型的循环,for和while
for循环
for x in “apple”:
print(x)
for可以遍历list, tuple,dictionary,string等等。
while循环
#print as long as x is less than 8
i =1
while i< 8:
print(x)
i += 1
break loop
i =1
while i < 8:
print(i)
if i == 4:
break
i += 1
Class
Python作为一个面向对象的编程语言,几乎所有的元素都可以看做是一个对象。对象可以看做是Class的实例。
接下来我们来看一下class的基本操作。
创建class
class TestClass:
z =5
上面的例子我们定义了一个class,并且指定了它的一个属性z。
创建Object
p1 = TestClass()
print(p1.x)
还可以给class分配不同的属性和方法:
class car(object):
“””docstring”””
def __init__(self, color, doors, tires):
“””Constructor”””
self.color = color
self.doors = doors
self.tires = tires
def brake(self):
“””
Stop the car
“””
return “Braking”
def drive(self):
“””
Drive the car
“””
return “I’m driving!”
创建子类
每一个class都可以子类化
class Car(Vehicle):
“””
The Car class
“””
def brake(self):
“””
Override brake method
“””
return “The car class is breaking slowly!”
if __name__ == “__main__”:
car = Car(“yellow”, 2, 4, “car”)
car.brake()
‘The car class is breaking slowly!’
car.drive()
“I’m driving a yellow car!”
异常
python有内置的异常处理机制,用来处理程序中的异常信息。
内置异常类型
- AttributeError — 属性引用和赋值异常
- IOError — IO异常
- ImportError — import异常
- IndexError — index超出范围
- KeyError — 字典中的key不存在
- KeyboardInterrupt — Control-C 或者 Delete时,报的异常
- NameError — 找不到 local 或者 global 的name
- OSError — 系统相关的错误
- SyntaxError — 解释器异常
- TypeError — 类型操作错误
- ValueError — 内置操作参数类型正确,但是value不对。
- ZeroDivisionError — 除0错误
异常处理
使用try,catch来处理异常:
my_dict = {“a”:1, “b”:2, “c”:3}
try:
value = my_dict[“d”]
except KeyError:
print(“That key does not exist!”)
处理多个异常:
my_dict = {“a”:1, “b”:2, “c”:3}
try:
value = my_dict[“d”]
except IndexError:
print(“This index does not exist!”)
except KeyError:
print(“This key is not in the dictionary!”)
except:
print(“Some other problem happened!”)
try/except else:
my_dict = {“a”:1, “b”:2, “c”:3}
try:
value = my_dict[“a”]
except KeyError:
print(“A KeyError occurred!”)
else:
print(“No error occurred!”)
- 最后附上Python3秘籍的PDF版本: python3-cheatsheet.pdf
本文已收录于 http://www.flydean.com/python3-cheatsheet/
最通俗的解读,最深刻的干货,最简洁的教程,众多你不知道的小技巧等你来发现!
欢迎关注我的公众号:「程序那些事」,懂技术,更懂你!
python3参考秘籍-附PDF下载的更多相关文章
- 八张图彻底了解JDK8 GC调优秘籍-附PDF下载
目录 简介 分代垃圾回收器的内存结构 JDK8中可用的GC 打印GC信息 内存调整参数 Thread配置 通用GC参数 CMS GC G1参数 总结 简介 JVM的参数有很多很多,根据我的统计JDK8 ...
- 一文了解JDK12 13 14 GC调优秘籍-附PDF下载
目录 简介 那些好用的VM参数 G1的变化 配置FlightRecorder RAM参数 JDK13中的ZGC RTM支持 总结 简介 想了解JDK12,13,14中的GC调优秘籍吗?想知道这三个版本 ...
- 一张PDF了解JDK9 GC调优秘籍-附PDF下载
目录 简介 Oracle中的文档 JDK9中JVM参数的变化 废弃的JVM选项 不推荐(Deprecated)的JVM选项 被删除的JVM参数 JDK9的新特性Application Class Da ...
- 一张PDF了解JDK10 GC调优秘籍-附PDF下载
目录 简介 Java参数类型 Large Pages JIT调优 总结 简介 今天我们讲讲JDK10中的JVM GC调优参数,JDK10中JVM的参数总共有1957个,其中正式的参数有658个. 其实 ...
- 一张PDF了解JDK11 GC调优秘籍-附PDF下载
目录 简介 废弃的VM选项 Source-File Mode Code Heap状态分析 AppCDS 总结 简介 JDK11相比JDK10,添加了一个新的Source-File Mode,可以直接通 ...
- 小师妹学IO系列文章集合-附PDF下载
目录 第一章 IO的本质 IO的本质 DMA和虚拟地址空间 IO的分类 IO和NIO的区别 总结 第二章 try with和它的底层原理 简介 IO关闭的问题 使用try with resource ...
- 万字长文深入理解java中的集合-附PDF下载
目录 1. 前言 2. List 2.1 fail-safe fail-fast知多少 2.1.1 Fail-fast Iterator 2.1.2 Fail-fast 的原理 2.1.3 Fail- ...
- 5万字长文:Stream和Lambda表达式最佳实践-附PDF下载
目录 1. Streams简介 1.1 创建Stream 1.2 Streams多线程 1.3 Stream的基本操作 Matching Filtering Mapping FlatMap Reduc ...
- Python编程:从入门到项目实践高清版附PDF百度网盘免费下载|Python入门编程免费领取
百度网盘:Python编程:从入门到项目实践高清版附PDF免费下载 提取码:oh2g 第一部分 基础知识第1章 起步 21.1 搭建编程环境 21.1.1 Python 2和Python 3 21 ...
随机推荐
- Problem D. Country Meow 题解(三分套三分套三分)
题目链接 题目大意 给你n(n<=100)个点,要你找一个点使得和所有点距离的最大值最小值ans 题目思路 一直在想二分答案,但是不会check 这个时候就要换一下思想 三分套三分套三分坐标即可 ...
- zk特性
看了又忘系列: 1.zk会将全量的数据存储在内存中,以此来实现提高服务器吞吐,减少延迟的目的. 2.集群中每台机器都会在内存中维护当前的服务器状态,并且每台机器之间都相互保持着通信.只要集群中存在超过 ...
- 冲刺随笔——Day_Five
这个作业属于哪个课程 软件工程 (福州大学至诚学院 - 计算机工程系) 这个作业要求在哪里 团队作业第五次--Alpha冲刺 这个作业的目标 团队进行Alpha冲刺 作业正文 正文 其他参考文献 无 ...
- fist-第三天冲刺随笔
这个作业属于哪个课程 https://edu.cnblogs.com/campus/fzzcxy/2018SE1 这个作业要求在哪里 https://edu.cnblogs.com/campus/fz ...
- 洛谷P3906 Hoof Paper, Scissor (记忆化搜索)
这道题问的是石头剪刀布的的出题问题 首先不难看出这是个dp题 其次这道题的状态也很好确定,之前输赢与之后无关,确定三个状态:当前位置,当前手势,当前剩余次数,所以对于剪刀,要么出石头+1分用一次机会, ...
- dart时间处理的几个方法
一.时间处理的方法 1.获取当前时间 new DateTime.now(); 2.设置时间 new DateTime(2020, 11, 11, 12, 37 , 36); 3.解析时间 DateTi ...
- moviepy音视频剪辑:与大小相关的视频变换函数crop、even_size、margin、resize介绍
☞ ░ 前往老猿Python博文目录 ░ 一.引言 在<moviepy音视频剪辑:moviepy中的剪辑基类Clip详解>介绍了剪辑基类的fl.fl_time.fx方法,在<movi ...
- windows server2012无法安装.Net FrameWork 3.5功能
问题描述: 现象1:安装完服务器系统,在安装SQL Server 2012,安装到中间提示安装SQL Server 2012过程中出现"启用windows功能NetFx3时出错"以 ...
- 上传到github
我是为了自己下次不用再找github上传的地方了,索性就复制了一篇 转载于 https://blog.csdn.net/m0_37725003/article/details/80904824 首先你 ...
- js- 判断属性是否 属于该对象 hasOwnProperty()
var obj ={ name:'suan', sex :'male', age:150, height:185, characeter:true, _proto_:{ lastName:'susan ...