案例式精讲python开发技巧

第二章 数据结构相关话题

1、如何在列表、字典、集合中根据条件筛选数据

  #列表
  from random import randint
  data = [randint(-10,10) for _ in range(10)]
  list(filter(lambda x :x >=0, data))
  [x for x in data if x >= 0] #更快一些
     
  #字典
  data1 = {x: randint(60,100) for x in range(1,20)}
  {k: v for k,v in data1.items() if v>=90}
    
  #集合
  data2 = set(data)
  {x for x in data2 if x % 3==0}

2、如何给元组中的每个元素命名,提高程序可读

student = ('Jim', 16, 'male', 'jim721@gmail.com')

NAME, AGE, SEX, EMAIL = list(range(4))
print(student[NAME])#可读

from collections import namedtuple #返回内置元组的子类
Student = namedtuple('Student', {'name','age','sex','email'}) #类的工厂
s = Student('Jim', 16, 'male', 'jim721@gmail.com')
print(s.name) #直接用类对象形式访问元组
print(isinstance(s,tuple)) #true

3、如何统计上出序列中元素的出现频度

#统计字典的频数
from random import randint
d = [randint(0,20) for _ in range(30)]
c = dict.fromkeys(d, 0)#data作为键
for i in d:
    c[i] += 1

#sorted函数返回一个list,a = sorted(c)

from collections import Counter
c2 = Counter(d)
c2.most_common(3)

#统计英文词频
import re
txt = open(r'C:\Users\Windows\Desktop\word_count.txt').read()
word = re.split('\W+', txt)#以非字母的正则表达式来进行分割
c3 = Counter(word)
c3.most_common(10)

4、如何根据字典中值的大小,对字典的项进行排序

from random import randint
d = {x:randint(60,,10)for x in 'xyzabc'}
sorted(d)#对键比较
#利用zip将字典数据转化为元组
sorted(zip(d.values(), d.keys()))

#利用sorted的key参数
sorted(d.items(), key=lambda x :x[1], reverse=True)

#利用operator
import operator
sorted(d.items(), key=operator.itemgetter(1))

5、公共键(快速在多个字典里寻找)

from random import randint, sample
d = [{i: randint(1,4) for i in sample('abcdefgh', randint(3,6))} for _ in range(5)]
s1 = {i: randint(1,4) for i in sample('abcdefgh', randint(3,6))}
s2 = {i: randint(1,4) for i in sample('abcdefgh', randint(3,6))}
s3 = {i: randint(1,4) for i in sample('abcdefgh', randint(3,6))}
#常用方式
res = []
for k in s1:
    if k in s2 and k in s3:
        res.append(k)

#map得到所有键的集合,reduce函数迭代
list(map(dict.keys,[s1, s2, s3]))
from functools import reduce
reduce(lambda a, b: a & b, list(map(dict.keys, [s1, s2, s3])))

6、如何让字典有序

# orderedDict()
from collections import orderedDict
from random import randint
from time import time
start = time()
#d = {}无序
d = orderedDict()
players = 'abcdefgh'
for i in range(len(players)):
    input()
    index = players.pop(randint(0, len(players) - i)
    d[index] = (i+1, end-start)
    end = time()
    print(i+1, index, end-start)

print('~'*20)
for i in d:
    print(i, ':', d[i])

7、如何实现用户的历史记录功能

# deque
from collections import deque
from random import randint
import pickle
import os
queue = deque([], 5) # 第一个值为初始值,第二个为大小


def guess(item):
    if item == target:
        print('Bingo!')
        return True
    if item < target:
        print('less than target')
    elif item > target:
        print('greater than target')
    return False

if os.path.exists('history'):
    pickle.load(open(r'D:\PythonWork\working_study\history', 'rb'))

target = randint(1, 100)
print(target)
while True:
    string = input('please input a number(1-100):')
    if string == '?' or string == '0':
        print(queue)
    elif string.isdigit():
        data = int(string)
        queue.append(data)
        if guess(data):
            pickle.dump(queue, open(r'D:\PythonWork\working_study\history', 'wb'))
            break

if os.path.exists('history'):
    his = pickle.load(open(r'D:\PythonWork\working_study\history', 'rb'))
    print(his)

第三章 迭代器与生成器相关话题

1、如何实现可迭代对象和迭代器对象

# Iterator, Iterable
import requests

def weather(city):
    r = requests.get(u'http://wthrcdn.etouch.cn/weather_mini?city=' + city)
    data = r.json()['data']['forecast'][1]
    print(('日期: %s, 高温: %s, 天气: %s') % (data['date'], data['high'], data['type']))


weather('武汉')
weather('北京')


from collections import Iterable, Iterator

class WeatherIterator(Iterator):
    def __init__(self, city_list):
        self.city_list = city_list
        self.index = 0

    def get_weather(self, city):
        r = requests.get(u'http://wthrcdn.etouch.cn/weather_mini?city=' + city)
        data = r.json()['data']['forecast'][1]
        print(('日期: %s, 高温: %s, 天气: %s') % (data['date'], data['high'], data['type']))
        return '%s, %s, %s' % (city, data['low'], data['high'])

    def next(self):
        if self.index == len(self.city_list):
            raise StopIteration
        city = self.city_list[self.index]
        self.index += 1
        return self.get_weather(city)


class WeatherIterable(Iterable):
    def __init__(self, cities):
        self.cities = cities

    def __iter__(self):
        # 返回迭代器的一个实例
        return WeatherIterator(self.cities)

cities = ['武汉', '北京', '上海', '广州', '深圳', '成都', '重庆', '厦门', '香港']
for x in WeatherIterable(cities):
    print(x)

第四章 字符串处理相关话题

1、如何拆分含有多种分隔符的字符串

1

©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 213,711评论 6 493
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 91,079评论 3 387
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 159,194评论 0 349
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 57,089评论 1 286
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 66,197评论 6 385
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 50,306评论 1 292
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,338评论 3 412
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 38,119评论 0 269
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,541评论 1 306
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,846评论 2 328
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 39,014评论 1 341
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,694评论 4 337
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,322评论 3 318
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 31,026评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,257评论 1 267
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,863评论 2 365
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,895评论 2 351