I have a dataframe like this :
JavaScript
x
8
1
Date Price
2
0 2021-02-12 00:00:00 50
3
1 2021-02-11 00:00:00 2
4
2 2021-02-10 00:00:00 40.4
5
3 2021-02-09 00:00:00 775.6
6
4 2021-02-08 00:00:00 1000.2
7
5 2021-02-07 00:00:00 500
8
Columns’ types with print(df.dtypes) :
JavaScript
1
3
1
Date datetime64[ns]
2
Price float64
3
Expected Output :
JavaScript
1
8
1
Date Price
2
0 2021-02-07 00:00:00 500
3
1 2021-02-08 00:00:00 1000.2
4
2 2021-02-09 00:00:00 775.6
5
3 2021-02-10 00:00:00 40.4
6
4 2021-02-11 00:00:00 2
7
5 2021-02-12 00:00:00 50
8
I have a dataframe like df. When I do :
JavaScript
1
2
1
df = df.sort_values(by='Date')
2
But nothing happen even by adding ascending = True or False.
Could you give the way pls to order this dataframe as above ?
If possible can you give the 2 possibilites like ordering by index and date but I’m looking to order by ascending date directly without touching to the index.
EDIT for more clarity :
JavaScript
1
13
13
1
# Converted list of dictionaries to a Dataframe
2
extracted_data_List_DataFrames = [pd.DataFrame(x) for x in extracted_data_List]
3
4
# Convert string to their respectiv types
5
for dfs in extracted_data_List_DataFrames:
6
dfs['Date'] = pd.to_datetime(dfs['Date'])
7
dfs['Price'] = dfs['Price'].astype('float64')
8
9
# Sort dataframes by 'Date'
10
dfs = dfs.sort_values(['Date'], ascending=False)
11
12
print(extracted_data_List_DataFrames)
13
You have my code above. I’m not able to make the sort method to work correctly.
Advertisement
Answer
Problem is if modify values in loop there is no change if original list, you can assign ouput to original list of DataFrames like:
JavaScript
1
8
1
for i, dfs in enumerate(extracted_data_List_DataFrames):
2
dfs['Date'] = pd.to_datetime(dfs['Date'])
3
dfs['Price'] = dfs['Price'].astype('float64')
4
5
# Sort dataframes by 'Date'
6
dfs = dfs.sort_values(['Date'], ascending=False)
7
extracted_data_List_DataFrames[i] = dfs
8
Another idea is use inplace=True
:
JavaScript
1
7
1
for dfs in extracted_data_List_DataFrames:
2
dfs['Date'] = pd.to_datetime(dfs['Date'])
3
dfs['Price'] = dfs['Price'].astype('float64')
4
5
# Sort dataframes by 'Date'
6
dfs.sort_values(['Date'], ascending=False, inplace=True)
7