python核心编程笔记——Chapter7

Chapter7.映像和集合类型

最近临到期末,真的被各种复习,各种大作业缠住,想想已经荒废了python的学习1个月了。现在失去了昔日对python的触觉和要写简洁优雅代码的感觉,所以临到期末毅然继续python的学习,还特地花了一个小时把之前写的代码和笔记再看了一遍,我想如果再晚一点的话连python是何物都恐怕不知道了!

这一章的习题不知道咋样?但是不管了, let's go !

7.1哪个字典方法可以用来把两个字典合并在一起?

在命令行下输了help({}),看了下dist的内建方法。发现只有update方法比较贴近,看一下update方法:

update(...)
| D.update([E, ]**F) -> None. Update D from dict/iterable E and F.
| If E present and has a .keys() method, does: for k in E: D[k] = E[k]
| If E present and lacks .keys() method, does: for (k, v) in E: D[k] = v
| In either case, this is followed by: for k in F: D[k] = F[k]

但是对于两个键完全不同的字典,update方法会将它们合并,但是对于存在部分键相同的字典,update只会起到一个更新作用;

 >>> dist1={'a':1,'b':2}
>>> dist2={'c':3,'d':4}
>>> dist3={'a':5,'e':6}
>>> dist2.update(dist1)
>>> dist2
{'a': 1, 'c': 3, 'b': 2, 'd': 4}
>>> dist3.update(dist1)
>>> dist3
{'a': 1, 'b': 2, 'e': 6}
>>> dist1.update(dist3)
>>> dist1
{'a': 1, 'b': 2, 'e': 6}

但是顺序不同,更新也不同,

 >>> dist1={'a':1,'b':2}
>>> dist2={'c':3,'d':4}
>>> dist3={'a':5,'e':6}
>>> dist1.update(dist3)
>>> dist1
{'a': 5, 'b': 2, 'e': 6}

基本上内建的字典方法就只有这个了吧,可能要功能好一点的话估计得自己写了。

7.3.字典和列表的方法:

(a).创建一个字典,并把字典中的键按照字母顺序显示出来。

(b).按照字母顺序排序好的键,显示出这个字典中的键和值。

(c).按照字母顺序排序好的值,显示出这个字典中的键和值。

应该不难吧。。。。。难就难在通过字典的值来找键没有现成的函数吧。

 #!usr/bin/env python
#-*-coding=utf-8-*- import string ss = string.lowercase
dict1 = dict([(ss[i-1],26+1-i) for i in range(1,27)])
print 'dictionary is :'
print dict1
dict2 = sorted(dict1.keys())
print '(a) :',dict2
print '(b) :'
for key in dict2:
print 'key = %s , value = %d ' % (key,dict1[key]) dict3 = sorted(dict1.values())
print '(c) :'
for value in dict3:
for (u,v) in dict1.items():
if value == v:
print 'key = %s , value = %d' % (u,v)

7.4.建立字典。用两个相同长度的列表组建一个字典出来。几行能写出来。

 #!usr/bin/env python
#-*-coding=utf-8-*- def merge(list1,list2):
return dict(zip(list1,list2)) if __name__ == '__main__':
list1 = [1,2,3]
list2 = ['abc','def','ghi']
print merge(list1,list2)

7.5.按照题目来修改userpw.py,要用到一些外部的模块

(a).用到time模块的函数,显示登录时间。还要要求相差不超过小时,要显示出来。主要还是用到localtime()

(b).添加一个管理菜单,实现以下两种功能:(1).删除一个用户;(2).显示系统中所有用户的名字和他们密码的清单。

应该感觉不难,主要对字典进行操作即可。

(c).对口令进行加密操作,不难,只需要对用户的密码统一加密成sha1(安全哈希算法)码即可。(使用sha模块)

(d).添加图形界面(先挖坑,以后再补)

(e).要求用户名不区分大小写。可以选择先把用户名统一保存为小写形式(或大写形式),验证时也将用户输入的同一转化为小写(或大写)来进行核对。

(f).加强对用户名的限制,不允许符合和空白符。对于字符前后的空白符可以通过使用strip()来消除。其他估计要用到正则来解决。

(g).合并新用户和老用户功能。不难。

 #!/usr/bin/env python
#-*-coding=utf-8-*- import time #导入time模块
import sha #导入sha模块
import string #导入string模块
import re #导入re模块(正则匹配) db = {} #建立字典 def newuser():
prompt = 'login desired : '
while True:
name = raw_input(prompt)
k = re.search(r'\W+',name)
if k != None:
prompt = 'Your name contains illegal characters,try another: '
continue
if db.has_key(name):
prompt = 'name taken,try another: '
continue
else:
break
pwd = raw_input('password: ')
hash = sha.new() #新建哈希表
hash.update(pwd)
psd = hash.hexdigest() #Sha-1码
lt = list(time.localtime()[:-3]) #定义现在的时间戳
info = [psd,lt] #建立用户的个人信息(没有结构体真蛋疼)
db[string.lower(name)] = info
print "Logining in %d/%d/%d -- %d:%d:%d" % (info[1][0],info[1][1],info[1][2],info[1][3],info[1][4],info[1][5]) def olduser():
while True:
name = raw_input('login: ')
k = re.search(r'\W+',name)
if k != None:
prompt = 'Your name contains illegal characters,try another: '
continue
else:
break
if db.has_key(string.lower(name)) == False:
c = raw_input('This username does not exist.Do you want to create a user ?')
if string.lower(c) == 'y':
pwd = raw_input('password: ')
hash = sha.new() #新建哈希表
hash.update(pwd)
psd = hash.hexdigest() #Sha-1码
lt = list(time.localtime()[:-3]) #定义现在的时间戳
info = [psd,lt] #建立用户的个人信息(没有结构体真蛋疼)
db[string.lower(name)] = info
print "Logining in %d/%d/%d -- %d:%d:%d" % (info[1][0],info[1][1],info[1][2],info[1][3],info[1][4],info[1][5])
else:
pwd = raw_input('password: ')
hash = sha.new()
hash.update(pwd)
psd = hash.hexdigest()
info = db.get(string.lower(name))
temp = list(time.localtime()[:-3]) #更新时间
if info[0] == psd:
print 'welcome back',string.lower(name)
print "Logining in %d/%d/%d -- %d:%d:%d" % (temp[0],temp[1],temp[2],temp[3],temp[4],temp[5])
if(abs(info[1][3] - temp[3]) < 4):
print "You already logged in at:%d/%d/%d -- %d:%d:%d" % (info[1][0],info[1][1],info[1][2],info[1][3],info[1][4],info[1][5])
info[1] = temp
else:
print 'login incorrect' def manage():
#设定用户权限
while True:
name = raw_input('login(root): ')
k = re.search(r'\W+',name)
if k != None:
prompt = 'Your name contains illegal characters,try another: '
continue
else:
break
pwd = raw_input('password: ')
if pwd != 'root':
print 'login(root) incorrect!'
else:
prompt = """
(D)elete A User
(S)how All Users Enter choice:"""
choice = raw_input(prompt).strip()[0].lower()
if choice == 'd':
user = raw_input('Please input user:')
if db.has_key(user):
db.pop(user)
print 'Finish!'
else:
print 'No such user.'
if choice == 's':
print 'All users are as follows:'
for key in db.keys():
print key def showmenu():
prompt = """
(N)ew User Login
(E)xisting User Login
(Q)uit
(M)anage Enter choice:""" done = False
while not done:
chosen = False
while not chosen:
try:
choice = raw_input(prompt).strip()[0].lower()
except (EOFError,KeyboardInterrupt):
choice = 'q'
print '\nYou picked:[%s]' % choice
if choice not in 'neqm':
print 'invalid option,try again'
else:
chosen = True
if choice == 'q':done = True
if choice == 'n':newuser()
if choice == 'e':olduser()
if choice == 'm':manage() if __name__ == '__main__':
showmenu()

7-7.颠倒字典中的键和值,用一个字典做输入,输出另一个字典,用前者的键做值,用前者的值做键。

将前者字典的键遍历一遍即可。

 #!usr/bin/env python
#-*-coding=utf-8-*- def change(before):
after = {}
for key in before.keys():
after[before[key]] = key
return after if __name__ == '__main__':
dic = {'x':1,'y':2}
print change(dic)

7-9.可以用re模块的sub函数轻松解决,这里就不用字典来多余实现了。

字典这章里面有趣题目都比较少,先凑合吧。

就这样,请多多指教!

上一篇:关于Fragment与Fragment、Activity通信的四种方式


下一篇:数据库lib7第4题创建存储过程