'DataFrame' object has no attribute 'sort' 'DataFrame' object has no attribute 'sort' numpy numpy

'DataFrame' object has no attribute 'sort'


sort() was deprecated for DataFrames in favor of either:

sort() was deprecated (but still available) in Pandas with release 0.17 (2015-10-09) with the introduction of sort_values() and sort_index(). It was removed from Pandas with release 0.20 (2017-05-05).


Pandas Sorting 101

sort has been replaced in v0.20 by DataFrame.sort_values and DataFrame.sort_index. Aside from this, we also have argsort.

Here are some common use cases in sorting, and how to solve them using the sorting functions in the current API. First, the setup.

# Setupnp.random.seed(0)df = pd.DataFrame({'A': list('accab'), 'B': np.random.choice(10, 5)})    df                                                                                                                                           A  B0  a  71  c  92  c  33  a  54  b  2

Sort by Single Column

For example, to sort df by column "A", use sort_values with a single column name:

df.sort_values(by='A')   A  B0  a  73  a  54  b  21  c  92  c  3

If you need a fresh RangeIndex, use DataFrame.reset_index.

Sort by Multiple Columns

For example, to sort by both col "A" and "B" in df, you can pass a list to sort_values:

df.sort_values(by=['A', 'B'])   A  B3  a  50  a  74  b  22  c  31  c  9

Sort By DataFrame Index

df2 = df.sample(frac=1)df2   A  B1  c  90  a  72  c  33  a  54  b  2

You can do this using sort_index:

df2.sort_index()   A  B0  a  71  c  92  c  33  a  54  b  2df.equals(df2)                                                                                                                            # Falsedf.equals(df2.sort_index())                                                                                                               # True

Here are some comparable methods with their performance:

%timeit df2.sort_index()                                                                                                                  %timeit df2.iloc[df2.index.argsort()]                                                                                                     %timeit df2.reindex(np.sort(df2.index))                                                                                                   605 µs ± 13.6 µs per loop (mean ± std. dev. of 7 runs, 1000 loops each)610 µs ± 24.2 µs per loop (mean ± std. dev. of 7 runs, 1000 loops each)581 µs ± 7.63 µs per loop (mean ± std. dev. of 7 runs, 1000 loops each)

Sort by List of Indices

For example,

idx = df2.index.argsort()idx# array([0, 7, 2, 3, 9, 4, 5, 6, 8, 1])

This "sorting" problem is actually a simple indexing problem. Just passing integer labels to iloc will do.

df.iloc[idx]   A  B1  c  90  a  72  c  33  a  54  b  2