美文网首页
2 计数,元素过滤

2 计数,元素过滤

作者: DancingChild | 来源:发表于2018-07-13 21:21 被阅读0次

    1、计数

    collections.Counter 类用来计算序列中的某元素的数目。

    words = [
        'look', 'into', 'my', 'eyes', 'look', 'into', 'my', 'eyes',
        'the', 'eyes', 'the', 'eyes', 'the', 'eyes', 'not', 'around', 'the',
        'eyes', "don't", 'look', 'around', 'the', 'eyes', 'look', 'into',
        'my', 'eyes', "you're", 'under'
    ]
    from collections import Counter
    word_counts = Counter(words)
    # 出现频率最高的3个单词
    top_three = word_counts.most_common(3)
    print(top_three)
    # Outputs [('eyes', 8), ('the', 5), ('look', 4)]
    

    2、过滤元素

    最简单的过滤序列元素的方法就是使用列表推导。比如:

    >>> mylist = [1, 4, -5, 10, -7, 2, 3, -1]
    >>> [n for n in mylist if n > 0]
    [1, 4, 10, 2, 3]
    >>> [n for n in mylist if n < 0]
    [-5, -7, -1]
    

    有时候,过滤规则比较复杂,不能简单的在列表推导或者生成器表达式中表达出来。 比如,假设过滤的时候需要处理一些异常或者其他复杂情况。这时候你可以将过滤代码放到一个函数中, 然后使用内建的 filter() 函数。示例如下:

    values = ['1', '2', '-3', '-', '4', 'N/A', '5']
    def is_int(val):
        try:
            x = int(val)
            return True
        except ValueError:
            return False
    ivals = list(filter(is_int, values))
    print(ivals)
    # Outputs ['1', '2', '-3', '4', '5']
    

    filter() 函数创建了一个迭代器,因此如果你想得到一个列表的话,就得像示例那样使用 list() 去转换。

    3、np.where() 修改替换元素

    1、 3个参数:np.where(cond, x, y) 满足条件(cond)输出x,不满足输出y
    2、1个参数:np.where(arry): 输出arry中“真”值的坐标(真 = 非零)

    image.png
    (参考知乎https://www.zhihu.com/question/62844162

    相关文章

      网友评论

          本文标题:2 计数,元素过滤

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