美文网首页
python 编程技巧(二)

python 编程技巧(二)

作者: 你常不走的路 | 来源:发表于2018-01-05 15:46 被阅读7次

    py2 和py3 上有些不一样

    查找公共键 sample 常规

    方法一

    #假设有三个 字典  我们需要找他的公共键
    #首先我们先创建三个字典  使用sample生成随机三个list
    from random import randint ,sample
    s1 = sample ('abcdefg',randint(3,6))
    s2 = sample ('abcdefg',randint(3,6))
    s3 = sample ('abcdefg',randint(3,6))
    s1 = {x:randint(1,4) for x in s1}
    s2 = {x:randint(1,4) for x in s2}
    s3 = {x:randint(1,4) for x in s3}
    #其实可以写成一句话的 只是这样更容易打那个
    #s1 = {x:randint(1,4) for x in sample ('abcdefg',randint(3,6)}
    res = []
    for x in s1:
        if x in s2 and x in s3:
            res.append(x)
    print (res) #这样就得到了  但是 这样有点麻烦 和啰嗦
    

    方法二 map reduce

    #使用上面的 字典 s1 s2等  使用map函数  map接受一个函数
    #map()介绍
    # 会根据提供的函数对指定序列做映射。第一个参数 function 以参数序列中的每一个元素调用 function 函数,返回包含每次 function 函数返回值的新列表。
    s = map(dict.keys,[s1,s2,s3]) #dict.keys以字典为参数 进行调用
    #得到所有字典的 keys 是三个list形式
    from functools import reduce  #py2 应该不用导入  py3 需要 
    reduce(lambda a,b :a&b,map(dict.keys,[s1,s2,s3]))
    #reduce()介绍 
    #函数将一个数据集合(链表,元组等)中的所有数据进行下列操作:用传给reduce中的函数 function(有两个参数)先对集合中的第 1、2 个元素进行操作,得到的结果再与第三个数据用 function 函数运算,最后得到一个结果。
    #这样就得到 公共键
    

    做一个有序的字典 from collections import OrderedDict

    因为python 字典本身是无序的 所以 我们需要使用到 其他的方法

    from time import time
    from random import randint
    from collections import OrderedDict
    
    # 创建选手
    players = list('abcdefgh')
    # 记录开始的时间
    start = time()
    # 创建一个有序的字典
    d = OrderedDict()
    
    for i in xrange(8):
        raw_input()
        p = players.pop(randint(0, 7 - i)) #随机从players中删除一位 当作第一名
        end = time()
        print i + 1, p, end - start,
        d[p] = (i + 1, end - start)
    
    print
    print '-' * 20
    for k in d:
        print k, d[k]
    

    历史记录 deque pickle.dump pickle.load

    以猜数字为例 来写一个 猜数字 记录他猜过的数字有哪些

    我们使用了 deque双端列表

    from random import randint
    from collections import deque
    import pickle
    
    N = randint(0, 100)
    history = deque([],5) #初始化一个空列表,默认为5个  多了 他就会 删除 最先进来 加入最后进来的
    
    def guess(k):
        if k == N:
            print 'right'
            return True
        if k < N:
            print '{} is less-than N'.format(k)
        else:
            print '{} is greater-than N'.format(k)
        return False
    
    while True:
        line = raw_input('please input a number or h? :')
        if line.isdigit():  #如果他输入的是数字 就进行下一步
            k = int(line)
            history.append(k)
            pickle.dump(history,open('history.txt','w')) #同时在这 里 加入了 本地存储 好下次 打开依然能够看见浏览记录 序列化
            if guess(k):
                break
        elif line == 'history' or line == 'h?':
            print (list(pickle.load(open('history.txt')))) #这里是反序列化
    
    

    相关文章

      网友评论

          本文标题:python 编程技巧(二)

          本文链接:https://www.haomeiwen.com/subject/mbksnxtx.html