python基础

源自:百度 AI Studio 课程

目录

  • Python数据结构

  • Python面向对象

  • Python JSON

  • Python 异常处理

  • 常见Linux命令

Python数据结构

数字、字符串、列表、元祖、字典

数字

Python Number 数据类型用于存储数值。

Python Number 数据类型用于存储数值,包括整型、长整型、浮点型、复数。

(1)Python math 模块:Python 中数学运算常用的函数基本都在 math 模块

In [1]

import math

print(math.ceil(4.1))   #返回数字的上入整数

print(math.floor(4.9))  #返回数字的下舍整数

print(math.fabs(-10))   #返回数字的绝对值

print(math.sqrt(9))     #返回数字的平方根

print(math.exp(1))      #返回e的x次幂
5
4
10.0
3.0
2.718281828459045

(2)Python随机数

首先import random,使用random()方法即可随机生成一个[0,1)范围内的实数

In [4]

import random
ran = random.random()
print(ran)
0.28856147129388987

调用 random.random() 生成随机数时,每一次生成的数都是随机的。但是,当预先使用 random.seed(x) 设定好种子之后,其中的 x 可以是任意数字,此时使用 random() 生成的随机数将会是同一个。

解释:所有标准库提供的Random函数其实都是假Random,提供的随机数也是伪随机数,伪随机数是以相同的概率从一组有限的数字中选取的......随机数的生成是从种子值开始......,如果两次生成选用相同的种子,则生成的随机数相同。

In [9]

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()生成一个随机整数

In [11]


ran = random.randint(1,20)
print(ran)
16

字符串

字符串连接:+

In [12]

a = "Hello "
b = "World "
print(a + b)
Hello World 

重复输出字符串:*

In [13]

print(a * 3)
Hello Hello Hello 

通过索引获取字符串中字符[]

In [14]

print(a[0])
H

字符串截取[:] 牢记:左开右闭

In [16]

print(a[1:4])
ell

判断字符串中是否包含给定的字符: in, not in

In [17]

print('e' in a)
print('e' not in a)
True
False

join():以字符作为分隔符,将字符串中所有的元素合并为一个新的字符串

In [18]

new_str = '-'.join('Hello')
print(new_str)
H-e-l-l-o

字符串单引号、双引号、三引号

In [19]

print('Hello World!')
print("Hello World!")
Hello World!
Hello World!

转义字符 \

In [20]

print("The \t is a tab")
print('I\'m going to the movies')
The 	 is a tab
I'm going to the movies

三引号让程序员从引号和特殊字符串的泥潭里面解脱出来,自始至终保持一小块字符串的格式是所谓的WYSIWYG(所见即所得)格式的。

In [21]

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>

列表

作用:类似其他语言中的数组

列表访问

In [22]


#声明一个列表
names = ['jack','tom','tonney','superman','jay']

#通过下标或索引获取元素
print(names[0])
print(names[1])
jack
tom

In [23]

#获取最后一个元素
print(names[-1])
print(names[len(names)-1])
jay
jay

In [24]

#获取第一个元素
print(names[-5])
jack

In [25]

#遍历列表,获取元素
for name in names:
    print(name)
jack
tom
tonney
superman
jay

In [26]

#查询names里面有没有superman
for name in names:
    if name == 'superman':
        print('有超人')
        break
else:
    print('有超人')
    
有超人

In [27]

#更简单的方法,来查询names里有没有superman
if 'superman' in names:
    print('有超人')
else:
    print('有超人')

有超人

添加

In [28]

#声明一个空列表
girls = []

#append(),末尾追加
girls.append('杨超越')
print(girls)
['杨超越']

In [29]

#extend(),一次添加多个。把一个列表添加到另一个列表 ,列表合并。
models = ['刘雯','奚梦瑶']
girls.extend(models)
#girls = girls + models
print(girls)
['杨超越', '刘雯', '奚梦瑶']

In [30]

#insert():指定位置添加

girls.insert(1,'虞书欣')
print(girls)
['杨超越', '虞书欣', '刘雯', '奚梦瑶']

修改元素的值,通过下表找到元素,然后用=赋值

In [31]

fruits = ['apple','pear','香蕉','pineapple','草莓']
print(fruits)
fruits[-1] = 'strawberry'
print(fruits)
['apple', 'pear', '香蕉', 'pineapple', '草莓']
['apple', 'pear', '香蕉', 'pineapple', 'strawberry']

In [32]

'''
将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']

删除

In [33]

words = ['cat','hello','pen','pencil','ruler']
del words[1]
print(words)
['cat', 'pen', 'pencil', 'ruler']

In [35]

words = ['cat','hello','pen','pencil','ruler']
words.remove('cat')
print(words)
['hello', 'pen', 'pencil', 'ruler']

In [36]

words = ['cat','hello','pen','pencil','ruler']
words.pop(1)
print(words)
['cat', 'pen', 'pencil', 'ruler']

列表切片

将截取的结果再次存放在一个列表中,所以还是返回列表

在Python中处理列表的部分元素,称之为切片。创建切片,可指定要使用的第一个元素和最后一个元素的索引。

In [37]


animals = ['cat','dog','tiger','snake','mouse','bird']

print(animals[2:5])

print(animals[-1:])

print(animals[-3:-1])

print(animals[::2])

print(animals[-5:-1:2])


['tiger', 'snake', 'mouse']
['bird']
['snake', 'mouse']
['cat', 'tiger', 'mouse']
['dog', 'snake']

排序

In [38]

'''
产生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)
[19, 1, 7, 15, 16, 9, 6, 2, 17]

In [39]

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)
[11, 3, 8, 12, 2, 14, 5, 20, 13, 10]

In [40]

#默认升序
new_list = sorted(random_list)
print(new_list)

#降序
new_list = sorted(random_list,reverse =True)
print(new_list)
[2, 3, 5, 8, 10, 11, 12, 13, 14, 20]
[20, 14, 13, 12, 11, 10, 8, 5, 3, 2]

元组

与列表类似,元祖中的内容不可修改

In [41]

tuple1 = ()
print(type(tuple1))
<class 'tuple'>

In [42]

tuple2 = ('hello')
print(type(tuple2))
<class 'str'>

In [43]

#元祖中只有一个元素时,需要在后面加逗号
tuple3 = ('hello',)
print(type(tuple3))
<class 'tuple'>

元组不能修改,所以不存在往元组里加入元素。

那作为容器的元组,如何存放元素?

In [45]

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)
[9, 15, 6, 10, 12, 5, 15, 8, 15, 20]
(9, 15, 6, 10, 12, 5, 15, 8, 15, 20)

In [46]


print(random_tuple)
print(random_tuple[0])
print(random_tuple[-1])
print(random_tuple[1:-3])
print(random_tuple[::-1])


(9, 15, 6, 10, 12, 5, 15, 8, 15, 20)
9
20
(15, 6, 10, 12, 5, 15)
(20, 15, 8, 15, 5, 12, 10, 6, 15, 9)

In [47]

print(max(random_tuple))
print(min(random_tuple))
print(sum(random_tuple))
print(len(random_tuple))
20
5
115
10

In [48]

#统计元组中4的个数
print(random_tuple.count(4))
0

In [49]

#元组中4所对应的下标,如果不存在,则会报错
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

In [51]

t1 = (1,2,3)+(4,5)
print(t1)
(1, 2, 3, 4, 5)

In [52]

t2 = (1,2) * 2
print(t2)
(1, 2, 1, 2)

In [53]

print(1 in t2)
True

元组的拆包与装包

In [54]

#定义一个元组
t3 = (1,2,3)

#将元组赋值给变量a,b,c
a,b,c = t3

#打印a,b,c
print(a,b,c)
1 2 3

In [55]

#当元组中元素个数与变量个数不一致时
#定义一个元组,包含5个元素
t4 = (1,2,3,4,5)

#将t4[0],t4[1]分别赋值给a,b;其余的元素装包后赋值给c
a,b,*c = t4

print(a,b,c)
print(c)
print(*c)
1 2 [3, 4, 5]
[3, 4, 5]
3 4 5

字典

In [56]

#定义一个空字典

dict1 = {}

dict2 = {'name':'杨超越','weight':45,'age':25}
print(dict2['name'])
杨超越

In [57]

#list可以转成字典,但前提是列表中元素都要成对出现
dict3 = dict([('name','杨超越'),('weight',45)])
print(dict3)
{'name': '杨超越', 'weight': 45}

In [58]

dict4 = {}
dict4['name'] = '虞书欣'
dict4['weight'] = 43
print(dict4)
{'name': '虞书欣', 'weight': 43}

In [59]

dict4['weight'] = 44
print(dict4)
{'name': '虞书欣', 'weight': 44}

In [60]

#字典里的函数 items()  keys() values()

dict5 = {'杨超越':165,'虞书欣':166,'上官喜爱':164}
print(dict5.items())
for key,value in dict5.items():
    if value > 165:
        print(key)
dict_items([('杨超越', 165), ('虞书欣', 166), ('上官喜爱', 164)])
虞书欣

In [61]

#values() 取出字典中所有的值,保存到列表中

results = dict5.values()
print(results)
dict_values([165, 166, 164])

In [62]

#求小姐姐的平均身高
heights = dict5.values()
print(heights)
total = sum(heights)
avg = total/len(heights)
print(avg)
dict_values([165, 166, 164])
165.0

In [63]

names = dict5.keys()
print(names)
dict_keys(['杨超越', '虞书欣', '上官喜爱'])

In [64]


#print(dict5['赵小棠'])       

print(dict5.get('赵小棠'))


print(dict5.get('赵小棠',170)) #如果能够取到值,则返回字典中的值,否则返回默认值170
None
170

In [65]

dict6 = {'杨超越':165,'虞书欣':166,'上官喜爱':164}
del dict6['杨超越']
print(dict6)
{'虞书欣': 166, '上官喜爱': 164}

In [66]

result = dict6.pop('虞书欣')
print(result)
print(dict6)
166
{'上官喜爱': 164}

Python面向对象

定义一个类Animals:

(1)init()定义构造函数,与其他面向对象语言不同的是,Python语言中,会明确地把代表自身实例的self作为第一个参数传入

(2)创建一个实例化对象 cat,init()方法接收参数

(3)使用点号 . 来访问对象的属性。

In [67]

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()
动物名称实例化
miaomiao
miaomiao要吃东西啦!
miaomiao要喝水啦!

In [71]

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 字符串。

In [72]

import json
data = [ { 'b' : 2, 'd' : 4, 'a' : 1, 'c' : 3, 'e' : 5 } ]
# json = json.dumps(data)
# print(json)
json_format = json.dumps(data, sort_keys=True, indent=4, separators=(',', ': '))
print(json_format)
[
    {
        "a": 1,
        "b": 2,
        "c": 3,
        "d": 4,
        "e": 5
    }
]

json.loads 用于解码 JSON 数据。该函数返回 Python 字段的数据类型。

In [73]

import json
jsonData = '{"a":1,"b":2,"c":3,"d":4,"e":5}'
text = json.loads(jsonData)
print(text)
{'a': 1, 'b': 2, 'c': 3, 'd': 4, 'e': 5}

Python异常处理

当Python脚本发生异常时我们需要捕获处理它,否则程序会终止执行。

捕捉异常可以使用try/except语句。

try/except语句用来检测try语句块中的错误,从而让except语句捕获异常信息并处理。

In [74]

try:
    fh = open("/home/aistudio/data/testfile01.txt", "w")
    fh.write("这是一个测试文件,用于测试异常!!")
except IOError:
    print('Error: 没有找到文件或读取文件失败')
else:
    print ('内容写入文件成功')
    fh.close()
内容写入文件成功

finally中的内容,退出try时总会执行

In [75]

try:
    f = open("/home/aistudio/data/testfile02.txt", "w")
    f.write("这是一个测试文件,用于测试异常!!")
finally:
    print('关闭文件')
    f.close()
关闭文件

常见Linux命令

In [ ]

!ls /home

In [ ]

!ls ./

In [ ]

ls  -l

In [ ]

cd /home/aistudio/work/

In [ ]

!pwd

cp :复制文件或目录

In [ ]

!cp test.txt ./test_copy.txt

mv:移动文件与目录,或修改文件与目录的名称

In [ ]

!mv /home/aistudio/work/test_copy.txt /home/aistudio/data/

rm :移除文件或目录

In [ ]

!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命令只能压缩单个文件,而不能把一个文件夹压缩成一个文件(与打包命令的区别)。

In [13]

#会将文件压缩为文件 test.txt.gz,原来的文件则没有了,解压缩也一样
!gzip /home/aistudio/work/test.txt

In [10]

!gzip -c /home/aistudio/work/test.txt > /home/aistudio/test.gz

tar:

tar本身是一个打包命令,用来打包或者解包后缀名为.tar。配合参数可同时实现打包和压缩。

常用参数:

-c或--create:建立新的备份文件;
-x或--extract或--get:从备份文件中还原文件;
-v:显示指令执行过程;
-f或--file:指定备份文件;
-C:指定目的目录;
-z:通过gzip指令处理备份文件;
-j:通过bzip2指令处理备份文件。

最常用的是将tar命令与gzip命令组合起来,直接对文件夹先打包后压缩:

In [12]

!tar -zcvf /home/aistudio/work/test.tar.gz /home/aistudio/work/test.txt

In [ ]

!tar -zxvf /home/aistudio/work/test.tar.gz

zip和unzip

zip命令和unzip命令用在在Linux上处理.zip的压缩文件。

常用参数

zip:

-v:显示指令执行过程;
-m:不保留原文件;
-r:递归处理。

unzip:

-v:显示指令执行过程;
-d:解压到指定目录。

In [ ]

!zip -q -r /home/aistudio/work/test.zip /home/aistudio/work/test.txt

In [16]

!unzip  /home/aistudio/work/test.zip 
  • 0
    点赞
  • 1
    收藏
    觉得还不错? 一键收藏
  • 0
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值