1.class的init功能,初始化class,给出一些初始值
__init__可以理解成初始化class
的变量,取自英文中initial
最初的意思.可以在运行时,给初始值附值,
class Calculator:
name='good calculator'
price=18
def __init__(self,name,price,height,width,weight): # 注意,这里的下划线是双下划线
self.name=name
self.price=price
self.h=height
self.wi=width
self.we=weight
在创建一个class对象的时候 ,可以赋予初始值
2.读写文件,存储在变量中
my_file=open('my file.txt','w') #用法: open('文件名','形式'), 其中形式有'w':write;'r':read.
my_file.write(text) #该语句会写入先前定义好的 text
my_file.close() #关闭文件
给文件增加内容,注意文件以"a"形式打开
append_text='\nThis is appended file.' # 为这行文字提前空行 "\n"
my_file=open('my file.txt','a') # 'a'=append 以增加内容的形式打开
my_file.write(append_text)
my_file.close()
读取文件内容 file.read()
按行读取 file.readline()
所有行读取 file.readlines()
3.variable=input() 表示运行后,可以在屏幕中输入一个数字,该数字会赋值给自变量
4.zip运算
a=[1,2,3]
b=[4,5,6]
ab=zip(a,b)
print(list(ab))
for i,j in zip(a,b):
print(i/2,j*2)
"""
0.5 8
1.0 10
1.5 12
"""
map运算,参考菜鸟教程Python内置函数
>>>def square(x) : # 计算平方数
... return x ** 2
...
>>> map(square, [1,2,3,4,5]) # 计算列表各个元素的平方
[1, 4, 9, 16, 25]
>>> map(lambda x: x ** 2, [1, 2, 3, 4, 5]) # 使用 lambda 匿名函数
[1, 4, 9, 16, 25] # 提供了两个列表,对相同位置的列表数据进行相加
>>> map(lambda x, y: x + y, [1, 3, 5, 7, 9], [2, 4, 6, 8, 10])
[3, 7, 11, 15, 19]
5.pickle 保存
import pickle a_dict = {'da': 111, 2: [23,1,4], '': {1:2,'d':'sad'}} # pickle a variable to a file
file = open('pickle_example.pickle', 'wb')
pickle.dump(a_dict, file)
file.close() #读取
with open('pickle_example.pickle', 'rb') as file:
a_dict1 =pickle.load(file)
6.set集合以及基本操作,具体详细函数见菜鸟教程python集合
s.add( x ) #添加,还有一个方法,也可以添加元素,且参数可以是列表,元组,字典等,语法格式如下:s.update(x),且可以添加多个,以逗号隔开
s.remove( x ) #移除
len(s) #元素个数
s.clear() #清空
len(s) #判断元素是否在集合中存在
s.union(x) #返回两个集合的并集,x可以为多个,逗号隔开
x = {"apple", "banana", "cherry"}
y = {"google", "runoob", "apple"}
z = x.symmetric_difference(y) #返回两个集合中不重复的元素集合。
7.杂项
两个列表相加,直接用+连接即可
8. .format字符串格式化
'my name is {} ,age {}'.format('hoho',18)
'my name is hoho ,age 18'