- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
问题
假设我们正在处理一个大型数据集,为了简单起见,我们在这个问题中使用这个较小的数据集:
dataset = [["PLANT", 4,11],
["PLANT", 4,12],
["PLANT", 34,4],
["PLANT", 6,5],
["PLANT", 54,45],
["ANIMAL", 5,76],
["ANIMAL", 7,33],
["Animal", 11,1]]
我们想找出哪一列的连续值范围最长,找出哪一列最好的最快方法是什么?
天真的方法
我很快发现它可以按每一列排序
sortedDatasets = []
for i in range(1,len(dataset[0]):
sortedDatasets.append(sorted(dataset,key=lambda x: x[i]))
但是这里出现了滞后的部分:我们可以从这里继续为每个排序的数据集执行一个 for 循环
,并计算连续的元素但是当涉及到处理 for循环
python 很慢。
现在我的问题:有没有比这种天真的方法更快的方法,这些 2D 容器是否有内置函数?
更新:
这个伪算法可以更准确地描述范围的含义 - 如果当前值==下一个值
,这包括递增:
if nextValue > current Value +1:
{reset counter}
else:
{increment counter}
最佳答案
您可以使用 groupby
以合理的效率完成此操作。我将分阶段执行此操作,以便您了解其工作原理。
from itertools import groupby
dataset = [
["PLANT", 4, 11],
["PLANT", 4, 12],
["PLANT", 34, 4],
["PLANT", 6, 5],
["PLANT", 54, 45],
["ANIMAL", 5, 76],
["ANIMAL", 7, 33],
["ANIMAL", 11, 1],
]
# Get numeric columns & sort them in-place
sorted_columns = [sorted(col) for col in zip(*dataset)[1:]]
print sorted_columns
print
# Check if tuple `t` consists of consecutive numbers
keyfunc = lambda t: t[1] == t[0] + 1
# Search for runs of consecutive numbers in each column
for col in sorted_columns:
#Create tuples of adjacent pairs of numbers in this column
pairs = zip(col, col[1:])
print pairs
for k,g in groupby(pairs, key=keyfunc):
print k, list(g)
print
输出
[[4, 4, 5, 6, 7, 11, 34, 54], [1, 4, 5, 11, 12, 33, 45, 76]]
[(4, 4), (4, 5), (5, 6), (6, 7), (7, 11), (11, 34), (34, 54)]
False [(4, 4)]
True [(4, 5), (5, 6), (6, 7)]
False [(7, 11), (11, 34), (34, 54)]
[(1, 4), (4, 5), (5, 11), (11, 12), (12, 33), (33, 45), (45, 76)]
False [(1, 4)]
True [(4, 5)]
False [(5, 11)]
True [(11, 12)]
False [(12, 33), (33, 45), (45, 76)]
现在,攻击您的实际问题:
from itertools import groupby
dataset = [
["PLANT", 4, 11],
["PLANT", 4, 12],
["PLANT", 34, 4],
["PLANT", 6, 5],
["PLANT", 54, 45],
["ANIMAL", 5, 76],
["ANIMAL", 7, 33],
["ANIMAL", 11, 1],
]
# Get numeric columns & sort them in-place
sorted_columns = [sorted(col) for col in zip(*dataset)[1:]]
# Check if tuple `t` consists of consecutive numbers
keyfunc = lambda t: t[1] == t[0] + 1
#Search for the longest run of consecutive numbers in each column
runs = []
for i, col in enumerate(sorted_columns, 1):
pairs = zip(col, col[1:])
m = max(len(list(g)) for k,g in groupby(pairs, key=keyfunc) if k)
runs.append((m, i))
print runs
#Print the highest run length found and the column it was found in
print max(runs)
输出
[(3, 1), (1, 2)]
(3, 1)
FWIW,这可以压缩成一行。由于它使用几个生成器表达式而不是列表理解,因此效率更高一些,但它的可读性不是特别好:
print max((max(len(list(g))
for k,g in groupby(zip(col, col[1:]), key=lambda t: t[1] == t[0] + 1) if k), i)
for i, col in enumerate((sorted(col) for col in zip(*dataset)[1:]), 1))
我们可以通过进行一些小的更改来处理您新的连续序列定义。
首先,我们需要一个关键函数,如果排序列中相邻的一对数字之间的差异 <= 1,则返回 True
。
def keyfunc(t):
return t[1] - t[0] <= 1
现在,我们不再获取与该关键函数匹配的序列的长度,而是通过一些简单的算术来查看序列中值范围的大小。
def runlen(seq):
return 1 + seq[-1][1] - seq[0][0]
综合起来:
def keyfunc(t):
return t[1] - t[0] <= 1
def runlen(seq):
return 1 + seq[-1][1] - seq[0][0]
# Get numeric columns & sort them in-place
sorted_columns = [sorted(col) for col in zip(*dataset)[1:]]
#Search for the longest run of consecutive numbers in each column
runs = []
for i, col in enumerate(sorted_columns, 1):
pairs = zip(col, col[1:])
m = max(runlen(list(g)) for k,g in groupby(pairs, key=keyfunc) if k)
runs.append((m, i))
print runs
#Print the highest run length found and the column it was found in
print max(runs)
如注释中所述,如果 max
的 arg 是空序列,则会引发 ValueError
。一种简单的处理方法是将 max
调用包装在 try..except
block 中。如果异常很少发生,这是非常有效的,当没有引发异常时,try..except
实际上比等效的 if...else
逻辑更快。所以我们可以做这样的事情:
run = (runlen(list(g)) for k,g in groupby(pairs, key=keyfunc) if k)
try:
m = max(run)
except ValueError:
m = 0
runs.append((m, i))
但是如果这种异常经常发生,最好使用另一种方法。
这是一个新版本,它使用成熟的生成器函数 find_runs
代替生成器表达式。 find_runs
在开始处理列数据之前简单地yield
为零,因此 max
将始终至少有一个值要处理。我内联了 runlen
计算以节省额外函数调用的开销。这种重构还可以更轻松地在列表理解中构建 runs
列表。
from itertools import groupby
dataset = [
["PLANT", 4, 11, 3],
["PLANT", 4, 12, 5],
["PLANT", 34, 4, 7],
["PLANT", 6, 5, 9],
["PLANT", 54, 45, 11],
["ANIMAL", 5, 76, 13],
["ANIMAL", 7, 33, 15],
["ANIMAL", 11, 1, 17],
]
def keyfunc(t):
return t[1] - t[0] <= 1
def find_runs(col):
pairs = zip(col, col[1:])
#This stops `max` from choking if we don't find any runs
yield 0
for k, g in groupby(pairs, key=keyfunc):
if k:
#Determine run length
seq = list(g)
yield 1 + seq[-1][1] - seq[0][0]
# Get numeric columns & sort them in-place
sorted_columns = [sorted(col) for col in zip(*dataset)[1:]]
#Search for the longest run of consecutive numbers in each column
runs = [(max(find_runs(col)), i) for i, col in enumerate(sorted_columns, 1)]
print runs
#Print the highest run length found and the column it was found in
print max(runs)
输出
[(4, 1), (2, 2), (0, 3)]
(4, 1)
关于python - 确定二维数组中最长连续值范围的最快方法,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/36371997/
我不能解决这个问题。和标题说的差不多…… 如果其他两个范围/列中有“否”,我如何获得范围或列的平均值? 换句话说,我想计算 A 列的平均值,并且我有两列询问是/否问题(B 列和 C 列)。我只希望 B
我知道 python 2to3 将所有 xrange 更改为 range 我没有发现任何问题。我的问题是关于它如何将 range(...) 更改为 list(range(...)) :它是愚蠢的,只是
我有一个 Primefaces JSF 项目,并且我的 Bean 注释有以下内容: @Named("reportTabBean") @SessionScoped public class Report
在 rails3 中,我在模型中制作了相同的范围。例如 class Common ?" , at) } end 我想将公共(public)范围拆分为 lib 中的模块。所以我试试这个。 module
我需要在另一个 View 范围 bean 中使用保存在 View 范围 bean 中的一些数据。 @ManagedBean @ViewScoped public class Attivita impl
为什么下面的代码输出4?谁能给我推荐一篇好文章来深入学习 javascript 范围。 这段代码返回4,但我不明白为什么? (function f(){ return f(); functio
我有一个与此结构类似的脚本 $(function(){ var someVariable; function doSomething(){ //here } $('#som
我刚刚开始学习 Jquery,但这些示例对我帮助不大...... 现在,以下代码发生的情况是,我有 4 个表单,我使用每个表单的链接在它们之间进行切换。但我不知道如何在第一个函数中获取变量“postO
为什么当我这样做时: function Dog(){ this.firstName = 'scrappy'; } Dog.firstName 未定义? 但是我可以这样做: Dog.firstNa
我想打印文本文件 text.txt 的选定部分,其中包含: tickme 1.1(no.3) lesson1-bases lesson2-advancedfurther para:using the
我正在编写一些 JavaScript 代码。我对这个关键字有点困惑。如何在 dataReceivedHandler 函数中访问 logger 变量? MyClass: { logger: nu
我有这个代码: Public Sub test() Dim Tgt As Range Set Tgt = Range("A1") End Sub 我想更改当前为“A1”的 Tgt 的引
我正忙于此工作,以为我会把它放在我们那里。 该数字必须是最多3个单位和最多5个小数位的数字,等等。 有效的 999.99999 99.9 9 0.99999 0 无效的 -0.1 999.123456
覆盖代码时: @Override public void open(ExecutionContext executionContext) { super.open(executio
我想使用 preg_match 来匹配数字 1 - 21。我如何使用 preg_match 来做到这一点?如果数字大于 21,我不想匹配任何东西。 example preg_match('([0-9]
根据docs range函数有四种形式: (range) 0 - 无穷大 (range end) 0 - 结束 (range start end)开始 - 结束 (range start end st
我知道有一个UISlider,但是有人已经制作了RangeSlider(用两个拇指吗?)或者知道如何扩展 uislider? 最佳答案 我认为你不能直接扩展 UISlider,你可能需要扩展 UICo
我正在尝试将范围转换为列表。 nums = [] for x in range (9000, 9004): nums.append(x) print nums 输出 [9000] [9
请注意:此问题是由于在运行我的修饰方法时使用了GraphQL解析器。这意味着this的范围为undefined。但是,该问题的基础知识对于装饰者遇到问题的任何人都是有用的。 这是我想使用的基本装饰器(
我正在尝试创建一个工具来从网页上抓取信息(是的,我有权限)。 到目前为止,我一直在使用 Node.js 结合 requests 和 Cheerio 来拉取页面,然后根据 CSS 选择器查找信息。我已经
我是一名优秀的程序员,十分优秀!