美文网首页
python学习(二)高级特性

python学习(二)高级特性

作者: attentionYSF | 来源:发表于2019-05-30 17:53 被阅读0次

    切片

    截取集合,包括list、tuple、set

    list = [1, 2, 3, 4, 5]
    list[start:end:step]    含前不含尾,从0开始
    step,从start到end每隔setp个元素获取一个数据
    

    迭代

    for ... in ...:

    -------遍历list tuple set集合
    for x in collection:
        print(x)
    
    ------遍历dict
    for key in dict:
    
    for v in dict.values():
    
    for k, v in dict.items():
    

    列表生成式

    [函数/表达式 for ... in ... 过滤条件]

    [x * x for x in range(1, 11) if x % 2 == 0]   --[4, 16, 36, 64, 100]
    
    [m + n for m in 'ABC' for n in 'XYZ']   --['AX', 'AY', 'AZ', 'BX', 'BY', 'BZ', 'CX', 'CY', 'CZ']
    
    d = {'x': 'A', 'y': 'B', 'z': 'C' }
     [k + '=' + v for k, v in d.items()]   --['y=B', 'x=A', 'z=C']
    
    L = ['Hello', 'World', 'IBM', 'Apple']
    [s.lower() for s in L if isinstance(s, str)]   --['hello', 'world', 'ibm', 'apple']
    

    生成器

    generator用来保存算法,一般用遍历取值

    方式一:列表生成式[]改为()
    g = (x * x for x in range(1, 11) if x % 2 == 0)
    next(g)   --4
    next(g)   --16
    超出元素个数时,报StopIteration异常
    
    方式二:函数,使用关键字  yield
    如果一个函数定义中包含yield关键字,那么这个函数就不再是一个普通函数,而是一个generator。
    函数是顺序执行,遇到return语句或者最后一行函数语句就返回。
    而变成generator的函数,在每次调用next()的时候执行,遇到yield语句返回,再次执行时从上次返回的yield语句处继续执行。
    def fib(max):
        n, a, b = 0, 0, 1
        while n < max:
            yield b
            a, b = b, a + b
            n = n + 1
        return 'done'
    -----------------------------------
    for n in  fib(6):  
         print(n)
    1
    1
    2
    3
    5
    8
    *****拿不到返回值
    -----------------------------------
    while True:
        try:
            x = next(g)
            print('g:', x)
        except StopIteration as e:
            print('Generator return value:', e.value)
             break
    g: 1
    g: 1
    g: 2
    g: 3
    g: 5
    g: 8
    Generator return value: done
    *****拿到返回值
    

    迭代器

    这些可以直接作用于for循环的对象统称为可迭代对象:Iterable。
    可以使用isinstance()判断一个对象是否是Iterable对象:
    凡是可作用于for循环的对象都是Iterable类型;
    凡是可作用于next()函数的对象都是Iterator类型,它们表示一个惰性计算的序列;
    集合数据类型如list、dict、str等是Iterable但不是Iterator,不过可以通过iter()函数获得一个Iterator对象。

    # 首先获得Iterator对象:
    it = iter([1, 2, 3, 4, 5])
    # 循环:
    while True:
        try:
            # 获得下一个值:
            x = next(it)
        except StopIteration:
            # 遇到StopIteration就退出循环
            break
    

    相关文章

      网友评论

          本文标题:python学习(二)高级特性

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