Series are used in manipulating data frames and other operations on data.
Data can be read in the form of this data structure and then operated upon. Series is a one-column data structure. Let us understand with examples what is panda series.
Program Example
We passed the ndarray to the Series and got the series output. Here we can see the output as pd_series is of type pandas.core.series.Series. And also we can see the random value at index 0 of the series.
import pandas as pd
import numpy as np
nd_array = np.random.rand(4,2)
pd_series = pd.Series(np_array)
print(type(pd_series))
print(pd_series[0])
Output:
<class 'pandas.core.series.Series'>
0.7916550309100095
What is the difference in array and series
From the above example and output, we don’t see much difference between ndarray and series. They look the same then what is the difference in array and series.
The array has fixed and numeric indexes which start from 0,1,2,3….
But in series we have the numeric indexes and if we want we can also set the index of our choice. Let us understand this with an example:
import pandas as pd
import numpy as np
np_array = np.random.rand(4)
pd_series = pd.Series(np_array,index=["zero","one","two","three"])
print(pd_series,'\n')
print(pd_series["zero"])
print(pd_series[0])
Output:
As you can see number index still works and also our own index also works on series.
zero 0.411261
one 0.644768
two 0.350842
three 0.565235
dtype: float64
0.4112614144776182
0.4112614144776182
Get Index of panda series
So for a given panda series if we want we can check the index by using index property like below:
import pandas as pd
import numpy as np
np_array = np.random.rand(4)
pd_series = pd.Series(np_array,index=["zero","one","two","three"])
print(pd_series.index)
Output:
Index(['zero', 'one', 'two', 'three'], dtype='object')