一、变量与数据类型
??Python数据类型不用声明,编译器自动识别,常见数据类型如下;Python的每一行代码结尾不需要添加分号;Python的代码块内需遵循严格缩进规则;Python3在打印消息时习惯性加上括号,且默认打印结束后换行;python的单行注释采用#, 多行注释采用"""…"""。
- 整型(int)
- 浮点型(float)
- 布尔型(bool)
- 字符串(string): 分 单引号 / 双引号 两类,用法:字符串大小写修改,字符串拼接,str()强制类型转换,删除字符串空白
【注】代码的尝试可通过python交互界面尝试, 命令:python3
name = "ada lovelace"
print(name.title())
print(name.upper())
print(name.lower())
first_name = "ada"
last_name = "lovelace"
full_name = "ada" + " " + "lovelace"
print(full_name)
age = 23
message = "Happy " + str(age) + "rd Birthday!"
print(message)
favorate_language = ' python '
favorate_language.rstrip()
favorate_language.lstrip()
favorate_language.strip()
二、列表基础 [ ]
??列表,类似"数组",由一系列按特定顺序排列的元素组成,**用中括号“[ ]”表示,各元素之间用逗号“,”隔开。在python中习惯性给列表制定一个表示复数的名词(如letters, nums等)。 ??列表分为字符串列表和数字列表两类,下面以字符串列表进行说明。
- 访问:列表元素的索引从0开始;
- 增加、删除元素:使用内置方法实现,append()/insert() 和 del()/pop()/remove();
- 排序:字母序 / 逆序,sort()/sort(reverse = True),sorted(), len()
bicycles = ['trek', 'cannon', 'redline']
print(bicycles[0])
bicycles.append('honda')
print(bicycles)
bicycles.insert(0, 'ducati')
print(bicycles)
del bicycles[0]
print(bicycles)
poped_bicycles = bicycles.poped()
print(poped_bicycles)
bicycles.remove('cannon')
print(bicycles)
cars = ['bmw', 'audi', 'toyato', 'subaru']
cars.sort()
print(cars)
cars.sort(reverse=True)
print(cars)
cars = ['bmw', 'audi', 'toyato', 'subaru']
print(sorted(cars)
print(cars)
cars = ['bmw', 'audi', 'toyato', 'subaru']
cars.reverse()
print(cars)
len(cars)
三、操作列表 [ ]—遍历
??列表遍历,即使用for循环,对列表中的每个元素都执行相同的操作。列表中的元素是可以进行修改的,还有一类特殊的列表,元素不可变化,成为元组(不可变的列表)。
- 遍历:for循环实现;
- 创建数字列表:内置方法实现, range()—生成一系列数字,list()—将range()结果转换成列表;
- 切片:处理列表的部分元素,[x:y], 列表不能直接进行赋值操作。
- 元组:使用圆括号“( )”表示, 其中元素不可修改。
magicians = ['alice', 'david', 'bob']
for magicain in magicians:
print(magician.title() + ", that was a great trick!")
print("I can't wait to see your next trick, " + magician.title() + ".\n")
Alice, that was a great trick!
David, that was a great trick!
Bob, that was a great trick!
I can't wait to see your next trick, Bob.
nums = list(range(1,6))
print(nums)
even_nums = list(range(1,6,2))
print(even_nums)
players = ['mrac', 'jim', 'tom', 'bob', 'pierr', 'clerry']
print(players[1:4])
print(players[:2])
print(players[4:])
print(players[-3:])
my_players = players[:]
print(my_players)
dimensions = (200, 50)
for dimension in dimensions:
print(dimension)
四、字典 {键:值,键:值}
??在Python中,字典是一系列的键值对,可以通过键来访问与之关联的值。与键相关联的值可以是数字、字符串、列表、字典等。 ??字典是一种动态结构,可随时在其中添加键-值对。
- 访问字典中的值:通过键实现;
- 添加、删除键-值对:无序添加;
- 修改字典中的值:重新赋值;
- 字典遍历:无序输出,遍历键-值对,遍历所有键,遍历所有值; 方法items() / keys() / values() 。
alien_o = {'color' : 'green', 'points' : 5}
print(alien_o['color'])
print(alien_o)
alien_o['x_position'] = 0
alien_o['y_position'] = 25
print(alien_o)
alien_o['color'] = 'yellow'
print(alien_o['color'])
del alien_o['points']
print(alien_o)
user_0 = {
'username' : 'efermi',
'first' : 'enrico',
'last' : 'fermi',
}
for key,value in user_0.items():
print("\nKey: " + key)
print("Value", + value)
for key in user_0.keys():
print(key.title())
for value in user_0.values():
print(value.title())
五、用户输入和while循环
??函数input()会暂停程序运行,给出提示,等待用户输入一些文本(字符串),python会将其存储在一个指定变量中。有时候,提示可能超过一行,则可将提示存储在一个变量中,再将该变量传递给input()。
prompt = "If you tell us who you are, we can personalize the message you see."
prompt += "\nWhat's your first name?"
name = input(prompt)
print("\nHello, " + name + "!")
If you tell us who you are, we can personalize the message you see.
What's your first name? Eric
Hello, Eric!
while True:
city = input("\nPlease input the name of a city, enter 'quit' when you are finished: ")
if city == 'quit':
break
else:
print("I'd like to go to " + city.title() + "!")
num = 0
while num < 10:
num += 1
if num % 2 == 0:
continue
print(num)
六、if语句
??if语句的核心都是一个值为True或False的表达式,即条件测试。条件测试中支持多条件的检查,特定值的检查等,结尾处需添加冒号:。
- 多条件检查关键字:and、or、in、not in等;
- 多条件格式:if…elif…else…, else可以省略,elif…else…也可以省略
age = 23
if age >= 18 and age == 23:
print("You are old enough to vote!")
requested_toppings = ['mushrooms', 'green peppers', 'extra cheese']
for requested_topping in requested_toppings:
if requested_topping == 'green peppers':
print("Sorry, we are out of green peppers right now.")
else:
print("Adding " + requested_topping + ".")
print("\nFinishing making your pizza!")
七、函数def
??python中的函数通过关键字def定义,定义以冒号结尾。函数的相关信息:
- 参数传递:实参—>形参(形参可设置默认值,其等号两边不能有空格);
- 返回值:函数需要提供一个变量来存储返回值;
- 函数可以存储在模块中:通过关键字import导入模块,亦可导入模块中的特定函数;
- 函数别名: 通过关键字as给函数/模块指定别名。
def describe_pet(animal_type, pet_name='dog'):
"""显示宠物信息"""
print("\nI have a " + animal_type + ".")
print("My " + animal_type + "'s name is " + pet_name.title() + ".")
describe_pet('hamster', 'harry')
describe_pet(animal_type='hamster', pet_name='harry')
def get_formatted_name(first_name, last_name, middle_name=''):
"""返回整洁的姓名"""
if middle_name:
full_name = first_name + ' ' + middle_name + ' ' + last_name
else:
full_name = first_name + ' ' + last_name
return full_name.title()
musician = get_formatted_name('jimi', 'hendrix')
print(musician)
??将函数存储在模块中:
def make_pizza(size, *toppings):
"""概述要制作的比萨"""
print("\nMaking a " + str(size) + "-inch pizza with the following toppings:")
for topping in toppings:
print("- " + topping)
import pizza
pizza.make_pizza(16, 'pepperoni')
pizza.make_pizza(12, 'mushrooms', 'green peppers', 'extra cheese')
八、类class
??python中的class名称首字母必须大写,类中包含属性和方法,同其它语言一样。
- 方法__init__(): python的默认方法,其中形参self必不可少,当类class创建新实例时,init()会自动运行,且会自动传入实参self。每个与类相关联的方法调用都自动传入实参self,它是一个指向实例本身的引用,让实例能够访问类中的属性和方法。以self为前缀的变量都可供类中所有的方法使用。
- 类的实例化:class实例化的过程中会传入实参,以便通过例化名调用class中的方法。
- 类的继承:语法 class ElectricCar(Car): 子类时,子类中的方法__init__()需要父类施以援手创建。子类__init__()中通过关键字super调用父类Car中的__init__()方法,关联父类与子类。
- 将类的实例作为属性:相当于对这个属性类进行实例化,并将属性存储在对应的变量中。
class Dog():
"""一次模拟小狗的简单尝试"""
def __init__(self, name, age):
""""初始化name和age"""
self.name = name
self.age = age
def sit(self):
"""模拟小狗被命令时蹲下"""
print(self.name.title() + "is now sitting.")
def roll_over(self):
"""模拟小狗被命令时打滚"""
print(self.name.title() + "rolled over!")
my_dog = Dog('willie', 6)
my_dog.sit()
my_dog.roll_over()
??类的继承:
class Car():
def __init__(self, make, model, year):
self.make = make
self.model = model
self.year = year
self.odometer_reading = 0
def get_descriptive_name(self):
long_time = str(slef.year) + ' ' + self.name + ' ' + self.model
return long_time.title()
def read_odometer(self):
print("This car has " + str(self.odometer_reading) + " miles on it.")
def update_odometer(self, mileage):
if mileage >= self.odometer_reading:
self.odometer_reading = miles
else:
print("You can't roll back an odometer!")
class Battery():
def __init__(self, battery_size=70):
self.battery_size = battery_size
def describe_battery(self):
print("This car has a " + str(self.battery_size) + "-kWh battery.")
class ElectricCar(Car):
def __init__(self, make, model, year):
super.__init__(make, model, year)
self.battery = Battery()
my_tesla = ElectricCar('tesla', 'model s', 2016)
print(my_tesla.get_descriptive_name())
my_tesla.battery.describe_battery()
九、导入类
??导入类是一种有效的编程方式,在Python中灵活多用,可以大大节省代码量。
- 在模块中存储多个类:python的标准库中包含了大量已有的模块供用户使用
- 在一个模块中导入多个类:导入方法多样,如下:
- 导入类:相当于将类复制到了当前文件中。
from car import Car
from car import Car, ElectricCar
import car
十、文件和异常
- 打开文件:函数open(‘file_name’),打开指定文件,Python会在当前文件所在的目录中查找指定的文件。函数open()返回一个表示文件的对象,python将这个对象存储在后面使用的变量中。关键字with会在不需要放文件后将其关闭。
- 读取文件:read()读取整个文件的内容,将其作为一个长长的字符串存储在指定的变量中。redlines()读取文件每一行并将文件各行存储在一个列表中。读取文件时,python会将其中的所有文本都解读为字符串。
with open('digital.txt') as file_object:
conetents = file_object.read()
print(contents)
with open('digital.txt') as file_object:
lines = file_object.readlines()
for line in lines:
print(line.rstrip())
- 写入文件:调用write()写入文件内容,同时需指定文件打开模式——写入模式(‘w’)、读取模式(‘r’)、附加模式(‘a’)、读取和写入模式(‘r+’),若省略模式实参,python默认只读模式打开文件。Python只能将字符串写入文本文件,若要将数据写入,必须先使用str()进行转换。
filename = 'programming.txt'
with open(filename, 'w') as file_object:
file_object.write("I love programming.\n")
file_object.write("I love creating new games.\n")
- 异常:python中的异常是使用try-except代码块处理的。try-except代码块让python执行指定的操作,同时告诉python发生异常时怎么办。使用了try-except代码块时,即便出现了异常,程序也将继续运行。
print(5/0)
Traceback (most recent call last)
file "filename.py", line 1, in <module>
print(5/0)
ZeroDivisionError:division by zero
??为了避免python报上述错误,打断程序,可以通过try-except实现程序的继续运行,避免程序崩溃,如下:
try:
print(5/0)
except ZeroDivisionError:
print("You can't divide bu zero!")
try:
print(5/0)
except ZeroDivisionError:
pass
|