I want to search for ‘row3’ in the index of the DataFrame below, which should be 2 for a zero-based array.
JavaScript
x
10
10
1
import numpy as np
2
import pandas as pd
3
4
rownames = ['row1', 'row2', 'row3', 'row4', 'row5']
5
colnames = ['col1', 'col2', 'col3', 'col4']
6
7
# Create a 5 row by 4 column array of integers from 0 to 19
8
integers = np.arange(20).reshape((5, 4))
9
table = pd.DataFrame(integers, index=rownames, columns=colnames)
10
Is there a function which return the row number of ‘row3’? Thanks in advance for any help.
Advertisement
Answer
You could use Index.get_loc
(docs):
JavaScript
1
15
15
1
>>> table.index.get_loc("row3")
2
2
3
>>> table.iloc[table.index.get_loc("row3")]
4
col1 8
5
col2 9
6
col3 10
7
col4 11
8
Name: row3, dtype: int64
9
>>> table.loc["row3"]
10
col1 8
11
col2 9
12
col3 10
13
col4 11
14
Name: row3, dtype: int64
15
But this is a somewhat unusual access pattern– never need it myself.