6

我使用熊猫版本 0.12.0。以及以下代码,它移动了复制系列的索引:

import pandas as pd
series = pd.Series(range(3))
series_copy = series.copy()
series_copy.index += 1

如果我现在访问series它,它的索引也会移动。为什么?

4

1 回答 1

5

copy被定义为对底层数组进行复制的助手,并且该函数不复制索引。查看源代码:

Definition: series.copy(self, order='C')
Source:
    def copy(self, order='C'):
        """
        Return new Series with copy of underlying values

        Returns
        -------
        cp : Series
        """
        return Series(self.values.copy(order), index=self.index,
                      name=self.name)

建筑共享的index遗体。如果您想要更深的副本,则只需直接使用Series构造函数:

series = pd.Series(range(3))
    ...: series_copy = pd.Series(series.values.copy(), index=series.index.copy(),
    ...:                           name=series.name)
    ...: series_copy.index += 1

series
Out[72]: 
0    0
1    1
2    2
dtype: int64

series_copy
Out[73]: 
1    0
2    1
3    2
dtype: int64

在 0.13 中,copy(deep=True)是默认的复制界面,可以解决您的问题。(修复在这里

于 2013-11-14T11:44:40.790 回答