gpt4 book ai didi

Pandas 性能: columns selection

转载 作者:行者123 更新时间:2023-12-02 00:57:03 24 4
gpt4 key购买 nike

我今天观察到,选择两列或更多列数据框可能比仅选择一列慢得多。

如果我使用 loc 或 iloc 选择多个列,并使用列表传递列名或索引,那么与使用 iloc 选择单列或多列(但没有传递列表)相比,性能会下降 100 倍

示例:

df = pd.DataFrame(np.random.randn(10**7,10), columns=list('abcdefghij'))

一列选择:

%%timeit -n 100
df['b']
3.17 µs ± 147 ns per loop (mean ± std. dev. of 7 runs, 100 loops each)

%%timeit -n 100
df.iloc[:,1]
66.7 µs ± 5.95 µs per loop (mean ± std. dev. of 7 runs, 100 loops each)

%%timeit -n 100
df.loc[:,'b']
44.2 µs ± 10.5 µs per loop (mean ± std. dev. of 7 runs, 100 loops each)

两列选择:

%%timeit -n 10
df[['b', 'c']]
96.4 ms ± 788 µs per loop (mean ± std. dev. of 7 runs, 10 loops each)

%%timeit -n 10
df.loc[:,['b', 'c']]
99.4 ms ± 4.44 ms per loop (mean ± std. dev. of 7 runs, 10 loops each)

%%timeit -n 10
df.iloc[:,[1,2]]
97.6 ms ± 1.79 ms per loop (mean ± std. dev. of 7 runs, 10 loops each)

只有这个选择才能像预期的那样工作:[编辑]

%%timeit -n 100
df.iloc[:,1:3]
103 µs ± 17.9 µs per loop (mean ± std. dev. of 7 runs, 100 loops each)

机制上有哪些差异以及为什么差异如此之大?

[编辑]:正如 @run-out 指出的,pd.Series 的处理速度似乎比 pd.DataFrame 快得多,有人知道为什么会这样吗?

另一方面 - 它没有解释 df.iloc[:,[1,2]]df.iloc[:,1:3] 之间的区别>

最佳答案

Pandas 作为 pandas.Series 使用单行或单列,这比在 DataFrame 架构中工作更快。

当您要求时,Pandas 可以与 pandas.Series 配合使用:

%%timeit -n 10
df['b']
2.31 µs ± 1.59 µs per loop (mean ± std. dev. of 7 runs, 10 loops each)

但是,我可以通过将同一列放入列表中来调用该列的 DataFrame。然后你得到:

%%timeit -n 10
df[['b']]
90.7 ms ± 1.73 ms per loop (mean ± std. dev. of 7 runs, 10 loops each)

从上面可以看出,Series 的性能优于 DataFrame。

以下是 Pandas 如何处理“b”列。

type(df['b'])
pandas.core.series.Series

type(df[['b']])
pandas.core.frame.DataFrame

编辑:我正在扩展我的答案,因为 OP 想更深入地了解为什么 pd.series 与 pd.dataframe 的速度更快。而且这是一个很好的问题,可以扩展我/我们对底层技术如何工作的理解。请有更专业知识的人士插话。

首先让我们从 numpy 开始,因为它是 pandas 的构建 block 。根据 pandas 和 Python for Data Analysis 的作者 Wes McKinney 的说法,numpy 的性能优于 python:

This is based partly on performance differences having to do with the
cache hierarchy of the CPU; operations accessing contiguous blocks of memory (e.g.,
summing the rows of a C order array) will generally be the fastest because the mem‐
ory subsystem will buffer the appropriate blocks of memory into the ultrafast L1 or
L2 CPU cache.

让我们看看这个示例的速度差异。让我们从数据帧的“b”列创建一个 numpy 数组。

a = np.array(df['b'])

现在进行性能测试:

%%timeit -n 10
a

结果是:

32.5 ns ± 28.2 ns per loop (mean ± std. dev. of 7 runs, 10 loops each)

与 2.31 µs 的 pd.series 时间相比,性能有了显着提升。

性能提升的另一个主要原因是 numpy 索引直接进入 NumPy C 扩展,但是当你索引到 Series 时,会发生很多 python 的事情,而且速度要慢得多。 (read this article)

让我们看看为什么会这样的问题:

df.iloc[:,1:3]

大幅超越:

df.iloc[:,[1,2]]

值得注意的是,在这种情况下,.loc 与 .iloc 具有相同的性能效果。

我们发现问题的第一个重要线索是在以下代码中:

df.iloc[:,1:3] is df.iloc[:,[1,2]]
False

它们给出相同的结果,但是是不同的对象。我进行了深入研究,试图找出其中的区别。我无法在互联网或我的图书馆中找到对此的引用。

查看源代码,我们可以开始看到一些差异。我引用的是indexing.py。

在 _iLocIndexer 类中,我们可以发现 pandas 为 iloc 切片中的列表所做的一些额外工作。

马上,我们在检查输入时遇到了这两个差异:

if isinstance(key, slice):
return

对比

elif is_list_like_indexer(key):
# check that the key does not exceed the maximum size of the index
arr = np.array(key)
l = len(self.obj._get_axis(axis))

if len(arr) and (arr.max() >= l or arr.min() < -l):
raise IndexError("positional indexers are out-of-bounds")

仅此一点就足以导致性能下降吗?我不知道。

尽管 .loc 略有不同,但在使用值列表时它的性能也会受到影响。查看index.py,查看 def _getitem_axis(self, key, axis=None): --> in class _LocIndexer(_LocationIndexer):

处理列表输入的 is_list_like_indexer(key) 的代码部分相当长,包括大量开销。它包含注释:

# convert various list-like indexers
# to a list of keys
# we will use the *values* of the object
# and NOT the index if its a PandasObject

当然,处理值或整数列表会产生足够的额外开销,然后直接切片会导致处理延迟。

其余的代码超出了我的工资等级。如果有人能看一下并敲响它,那将是非常受欢迎的

关于 Pandas 性能: columns selection,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/54767327/

24 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com