深度学习离不开数学分析(高等数学)、线性代数、概率论等知识,更离不开以编程为核心的动手实践。
无论是在机器学习还是深度学习中,Python 已经成为主导性的编程语言。而且,现在许多主流的深度学习框架都提供Python接口,Python被用于数据预处理、定义网络模型、执行训练过程、数据可视化等
熟悉 Python 的基础语法,并掌握 NumPy,Pandas 及其他基础工具模块的使用对深度学习实践是非常重要的!
目录
- Python数据结构
- Python面向对象
- Python JSON
- Python 异常处理
- 常见Linux命令
Python数据结构
数字、字符串、列表、元祖、字典
数字
Python Number 数据类型用于存储数值。
Python Number 数据类型用于存储数值,包括整型、长整型、浮点型、复数。
(1)Python math 模块:Python 中数学运算常用的函数基本都在 math 模块
1 2 3 4 5 6 7 8 9 10 11 12
| import math
print(math.ceil(4.1))
print(math.floor(4.9))
print(math.fabs(-10))
print(math.sqrt(9))
print(math.exp(1))
|
5
4
10.0
3.0
2.718281828459045
(2)Python随机数
首先import random,使用random()方法即可随机生成一个[0,1)范围内的实数
1 2 3
| import random ran = random.random() print(ran)
|
0.8200670438985006
调用 random.random() 生成随机数时,每一次生成的数都是随机的。但是,当预先使用 random.seed(x) 设定好种子之后,其中的 x 可以是任意数字,此时使用 random() 生成的随机数将会是同一个。
1 2 3 4 5 6 7
| print ("------- 设置种子 seed -------") random.seed(10) print ("Random number with seed 10 : ", random.random())
random.seed(10) print ("Random number with seed 10 : ", random.random())
|
------- 设置种子 seed -------
Random number with seed 10 : 0.5714025946899135
Random number with seed 10 : 0.5714025946899135
randint()生成一个随机整数
1 2 3
| ran = random.randint(1,20) print(ran)
|
14
字符串
字符串连接:+
1 2 3
| a = "Hello " b = "World " print(a + b)
|
Hello World
重复输出字符串:*
Hello Hello Hello
通过索引获取字符串中字符[]
H
字符串截取[:] 牢记:左开右闭
ell
判断字符串中是否包含给定的字符: in, not in
1 2
| print('e' in a) print('e' not in a)
|
True
False
join():以字符作为分隔符,将字符串中所有的元素合并为一个新的字符串
1 2
| new_str = '-'.join('Hello') print(new_str)
|
H-e-l-l-o
字符串单引号、双引号、三引号
1 2
| print('Hello World!') print("Hello World!")
|
Hello World!
Hello World!
转义字符 \
1 2
| print("The \t is a tab") print('I\'m going to the movies')
|
The is a tab
I'm going to the movies
三引号让程序员从引号和特殊字符串的泥潭里面解脱出来,自始至终保持一小块字符串的格式是所谓的WYSIWYG(所见即所得)格式的。
1 2 3 4 5 6 7 8 9 10 11 12
| print('''I'm going to the movies''')
html = ''' <HTML><HEAD><TITLE> Friends CGI Demo</TITLE></HEAD> <BODY><H3>ERROR</H3> <B>%s</B><P> <FORM><INPUT TYPE=button VALUE=Back ONCLICK="window.history.back()"></FORM> </BODY></HTML> ''' print(html)
|
I'm going to the movies
<HTML><HEAD><TITLE>
Friends CGI Demo</TITLE></HEAD>
<BODY><H3>ERROR</H3>
<B>%s</B><P>
<FORM><INPUT TYPE=button VALUE=Back
ONCLICK="window.history.back()"></FORM>
</BODY></HTML>
列表
作用:类似其他语言中的数组
声明一个列表,并通过下标或索引获取元素
1 2 3 4 5 6 7 8
|
names = ['jack','tom','tonney','superman','jay']
print(names[0]) print(names[1])
|
jack
tom
1 2 3
| print(names[-1]) print(names[len(names)-1])
|
jay
jay
jack
1 2 3
| for name in names: print(name)
|
jack
tom
tonney
superman
jay
1 2 3 4 5 6 7 8 9
|
for name in names: if name == 'superman': print('有超人') break else: print('有超人')
|
有超人
1 2 3 4 5 6 7
| if 'superman' in names: print('有超人') else: print('有超人')
|
有超人
列表元素添加
1 2 3 4 5 6
| girls = []
girls.append('杨超越') print(girls)
|
['杨超越']
1 2 3 4 5
| models = ['刘雯','奚梦瑶'] girls.extend(models)
print(girls)
|
['杨超越', '刘雯', '奚梦瑶']
1 2 3
| girls.insert(1,'虞书欣') print(girls)
|
['杨超越', '虞书欣', '刘雯', '奚梦瑶']
列表元素修改,通过下标找到元素,然后用=赋值
1 2 3 4 5 6
| fruits = ['apple','pear','香蕉','pineapple','草莓'] print(fruits)
fruits[-1] = 'strawberry' print(fruits)
|
['apple', 'pear', '香蕉', 'pineapple', '草莓']
['apple', 'pear', '香蕉', 'pineapple', 'strawberry']
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
| ''' 将fruits列表中的‘香蕉’替换为‘banana’ '''
for fruit in fruits: if '香蕉' in fruit: fruit = 'banana' print(fruits)
for i in range(len(fruits)): if '香蕉' in fruits[i]: fruits[i] = 'banana' break print(fruits)
|
['apple', 'pear', '香蕉', 'pineapple', 'strawberry']
['apple', 'pear', 'banana', 'pineapple', 'strawberry']
列表元素删除
1 2 3
| words = ['cat','hello','pen','pencil','ruler'] del words[1] print(words)
|
['cat', 'pen', 'pencil', 'ruler']
1 2 3
| words = ['cat','hello','pen','pencil','ruler'] words.remove('cat') print(words)
|
['hello', 'pen', 'pencil', 'ruler']
1 2 3
| words = ['cat','hello','pen','pencil','ruler'] words.pop(1) print(words)
|
['cat', 'pen', 'pencil', 'ruler']
列表切片
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17
| animals = ['cat','dog','tiger','snake','mouse','bird']
print(animals[2:5])
print(animals[-1:])
print(animals[-3:-1])
print(animals[-5:-1:2])
print(animals[::2])
|
['tiger', 'snake', 'mouse']
['bird']
['snake', 'mouse']
['dog', 'snake']
['cat', 'tiger', 'mouse']
列表排序
1 2 3 4 5 6 7 8 9 10 11 12
| ''' 生成10个不同的随机整数,并存至列表中 ''' import random
random_list = [] for i in range(10): ran = random.randint(1,20) if ran not in random_list: random_list.append(ran) print(random_list)
|
[16, 19, 1, 7, 15, 9, 6, 2, 17]
上述代码存在什么问题吗?
1 2 3 4 5 6 7 8 9 10
| import random
random_list = [] i = 0 while i < 10: ran = random.randint(1,20) if ran not in random_list: random_list.append(ran) i+=1 print(random_list)
|
[16, 11, 3, 8, 12, 2, 14, 5, 20, 13]
1 2 3 4 5 6 7
| new_list = sorted(random_list) print(new_list)
new_list = sorted(random_list,reverse =True) print(new_list)
|
[2, 3, 5, 8, 11, 12, 13, 14, 16, 20]
[20, 16, 14, 13, 12, 11, 8, 5, 3, 2]
元组
与列表类似,元祖中的内容不可修改
1 2
| tuple1 = () print(type(tuple1))
|
<class 'tuple'>
1 2
| tuple2 = ('hello') print(type(tuple2))
|
<class 'str'>
注意:元组中只有一个元素时,需要在后面加逗号!
1 2 3
| tuple3 = ('hello',) print(type(tuple3))
|
<class 'tuple'>
元组不能修改,所以不存在往元组里加入元素。
那作为容器的元组,如何存放元素?
1 2 3 4 5 6 7 8 9 10 11 12 13
| import random
random_list = [] for i in range(10): ran = random.randint(1,20) random_list.append(ran) print(random_list)
random_tuple = tuple(random_list) print(random_tuple)
|
[14, 10, 9, 15, 6, 10, 12, 5, 15, 8]
(14, 10, 9, 15, 6, 10, 12, 5, 15, 8)
元组访问
1 2 3 4 5 6
| print(random_tuple) print(random_tuple[0]) print(random_tuple[-1]) print(random_tuple[1:-3]) print(random_tuple[::-1])
|
(14, 10, 9, 15, 6, 10, 12, 5, 15, 8)
14
8
(10, 9, 15, 6, 10, 12)
(8, 15, 5, 12, 10, 6, 15, 9, 10, 14)
元组的修改:
1 2
| t1 = (1,2,3)+(4,5) print(t1)
|
(1, 2, 3, 4, 5)
1 2
| t2 = (1,2) * 2 print(t2)
|
(1, 2, 1, 2)
元组的一些函数:
1 2 3 4
| print(max(random_tuple)) print(min(random_tuple)) print(sum(random_tuple)) print(len(random_tuple))
|
15
5
104
10
1 2
| print(random_tuple.count(4))
|
0
1 2
| print(random_tuple.index(4))
|
---------------------------------------------------------------------------
ValueError Traceback (most recent call last)
<ipython-input-49-82b4b5455c6b> in <module>
1 #元组中4所对应的下标,如果不存在,则会报错
----> 2 print(random_tuple.index(4))
ValueError: tuple.index(x): x not in tuple
1 2 3 4 5 6
| print(4 in random_tuple)
if(4 in random_tuple): print(random_tuple.index(4))
|
元组的拆包与装包
1 2 3 4 5 6 7 8
| t3 = (1,2,3)
a,b,c = t3
print(a,b,c)
|
1 2 3 4 5 6 7 8 9 10 11 12
|
t4 = (1,2,3,4,5)
a,b,*c = t4
print(a,b,c) print(c) print(*c)
|
字典
1 2 3 4 5 6 7
|
dict1 = {}
dict2 = {'name':'杨超越','weight':45,'age':25} print(dict2['name'])
|
1 2 3
| dict3 = dict([('name','杨超越'),('weight',45)]) print(dict3)
|
1 2 3 4
| dict4 = {} dict4['name'] = '虞书欣' dict4['weight'] = 43 print(dict4)
|
1 2
| dict4['weight'] = 44 print(dict4)
|
1 2 3 4 5 6 7
|
dict5 = {'杨超越':165,'虞书欣':166,'上官喜爱':164} print(dict5.items()) for key,value in dict5.items(): if value > 165: print(key)
|
1 2 3 4
|
results = dict5.values() print(results)
|
1 2 3 4 5 6 7
| heights = dict5.values() print(heights) total = sum(heights) avg = total/len(heights) print(avg)
|
1 2
| names = dict5.keys() print(names)
|
1 2 3 4 5 6 7
|
print(dict5.get('赵小棠'))
print(dict5.get('赵小棠',170))
|
1 2 3
| dict6 = {'杨超越':165,'虞书欣':166,'上官喜爱':164} del dict6['杨超越'] print(dict6)
|
1 2 3
| result = dict6.pop('虞书欣') print(result) print(dict6)
|
Python面向对象
定义一个类Animals:
(1)init()定义构造函数,与其他面向对象语言不同的是,Python语言中,会明确地把代表自身实例的self作为第一个参数传入
(2)创建一个实例化对象 cat,init()方法接收参数
(3)使用点号 . 来访问对象的属性。
1 2 3 4 5 6 7 8 9 10 11 12 13 14
| class Animal:
def __init__(self,name): self.name = name print('动物名称实例化') def eat(self): print(self.name +'要吃东西啦!') def drink(self): print(self.name +'要喝水啦!')
cat = Animal('miaomiao') print(cat.name) cat.eat() cat.drink()
|
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
| class Person: def __init__(self,name): self.name = name print ('调用父类构造函数')
def eat(self): print('调用父类方法') class Student(Person): def __init__(self): print ('调用子类构造方法') def study(self): print('调用子类方法')
s = Student() s.study() s.eat()
|
Python JSON
JSON(JavaScript Object Notation) 是一种轻量级的数据交换格式,易于人阅读和编写。
json.dumps 用于将 Python 对象编码成 JSON 字符串。
1 2 3 4 5
| import json data = [ { 'b' : 2, 'd' : 4, 'a' : 1, 'c' : 3, 'e' : 5 } ] json = json.dumps(data) print(json)
|
为了提高可读性,dumps方法提供了一些可选的参数。
sort_keys=True表示按照字典排序(a到z)输出。
indent参数,代表缩进的位数
separators参数的作用是去掉,和:后面的空格,传输过程中数据越精简越好
1 2 3 4
| import json data = [ { 'b' : 2, 'd' : 4, 'a' : 1, 'c' : 3, 'e' : 5 } ] json = json.dumps(data, sort_keys=True, indent=4,separators=(',', ':')) print(json)
|
json.loads 用于解码 JSON 数据。该函数返回 Python 字段的数据类型。
1 2 3 4 5
| import json jsonData = '{"a":1,"b":2,"c":3,"d":4,"e":5}' text = json.loads(jsonData) print(text)
|
Python异常处理
当Python脚本发生异常时我们需要捕获处理它,否则程序会终止执行。
捕捉异常可以使用try/except语句。
try/except语句用来检测try语句块中的错误,从而让except语句捕获异常信息并处理。
1 2 3 4 5 6 7 8
| try: fh = open("/home/aistudio/data/testfile01.txt", "w") fh.write("这是一个测试文件,用于测试异常!!") except IOError: print('Error: 没有找到文件或读取文件失败') else: print ('内容写入文件成功') fh.close()
|
finally中的内容,退出try时总会执行
1 2 3 4 5 6 7
| try: f = open("/home/aistudio/data/testfile02.txt", "w") f.write("这是一个测试文件,用于测试异常!!") finally: print('关闭文件') f.close()
|
常见Linux命令
cp :复制文件或目录
1
| !cp test.txt ./test_copy.txt
|
mv:移动文件与目录,或修改文件与目录的名称
1
| !mv /home/aistudio/work/test_copy.txt /home/aistudio/data/
|
rm :移除文件或目录
1
| !rm /home/aistudio/data/test_copy.txt
|
很多大型文件或者数据从服务器上传或者下载的时候都需要打包和压缩解压,这时候知道压缩和解压的各种命令是很有必要的。
常见的压缩文件后缀名有.tar.gz,.gz,和.zip,下面来看看在Linux上它们分别的解压和压缩命令。
gzip:
linux压缩文件中最常见的后缀名即为.gz,gzip是用来压缩和解压.gz文件的命令。
常用参数:
-d或--decompress或--uncompress:解压文件;
-r或--recursive:递归压缩指定文件夹下的文件(该文件夹下的所有文件被压缩成单独的.gz文件);
-v或--verbose:显示指令执行过程。
注:gzip命令只能压缩单个文件,而不能把一个文件夹压缩成一个文件(与打包命令的区别)。
1 2
| !gzip /home/aistudio/work/test.txt
|
1
| !gzip -d /home/aistudio/test.gz
|
tar:
tar本身是一个打包命令,用来打包或者解包后缀名为.tar。配合参数可同时实现打包和压缩。
常用参数:
-c或--create:建立新的备份文件;
-x或--extract或--get:从备份文件中还原文件;
-v:显示指令执行过程;
-f或--file:指定备份文件;
-C:指定目的目录;
-z:通过gzip指令处理备份文件;
-j:通过bzip2指令处理备份文件。
最常用的是将tar命令与gzip命令组合起来,直接对文件夹先打包后压缩:
1
| !tar -zcvf /home/aistudio/work/test.tar.gz /home/aistudio/work/test.txt
|
1
| !tar -zxvf /home/aistudio/work/test.tar.gz
|
zip和unzip
zip命令和unzip命令用在在Linux上处理.zip的压缩文件。
常用参数
zip:
-v:显示指令执行过程;
-m:不保留原文件;
-r:递归处理。
unzip:
-v:显示指令执行过程;
-d:解压到指定目录。
1
| !zip -r /home/aistudio/work/test.zip /home/aistudio/work/test.txt
|
1
| !unzip /home/aistudio/work/test.zip
|
原文地址:https://aistudio.baidu.com/aistudio/projectdetail/420385?pV=77924