将Python列表转换为pandas系列

时间:2014-02-08 13:48:05

标签: python list pandas dataframe series

将Python的句子列表转换为pd.Series对象的方法是什么?

(pandas Series对象可以使用 tolist()方法转换为列表;但是如何进行反向转换?)

4 个答案:

答案 0 :(得分:21)

据我所知,您的列表实际上是一个列表列表

import pandas as pd

thelist = [ ['sentence 1'], ['sentence 2'], ['sentence 3'] ]
df = pd.Series( (v[0] for v in thelist) )

答案 1 :(得分:4)

import pandas as pd
sentence_list = ['sentence 1', 'sentence 2', 'sentence 3', 'sentence 4']
print("List of Sentences: \n", sentence_list)
sentence_series = pd.Series(sentence_list)
print("Series of Sentences: \n", sentence_series)

Documentation

即使sentence_list是列表的列表,此代码仍会将列表转换为Pandas Series对象。

答案 2 :(得分:0)

pd.Series(l)实际上可用于几乎所有类型的列表,并且它返回Series对象:

import pandas as pd
l = [ ['sentence 1'], ['sentence 2'], ['sentence 3'] ] #works
l = ['sentence 1', 'sentence 2', 'sentence 3'] #works
l = numpy.array(['sentance 1', 'sentance2', 'sentance3'], dtype='object') #works

print(l, type(l))
ds = pd.Series(l)
print(ds, type(ds))

0    sentence 1
1    sentence 2
2    sentence 3
dtype: object <class 'pandas.core.series.Series'>

答案 3 :(得分:0)

要将列表myList转换为熊猫系列,请使用:

mySeries = pd.Series(myList) 

这也是从Pandas中的列表创建系列的基本方法之一。

示例:

myList = ['string1', 'string2', 'string3']                                                                                                                
mySeries = pd.Series(myList)                                                                                                                             
mySeries                                                                                                                                                 
# Out: 
# 0    string1
# 1    string2
# 2    string3
# dtype: object

请注意,Pandas会猜测列表元素的数据类型,因为一系列不接受混合类型(与Python列表相反)。在上面的示例中,推断的数据类型为object(Python string),因为它是最通用的并且可以容纳所有其他数据类型(请参见data types)。

创建系列时可以指定数据类型:

myList= [1, 2, 3] 

# inferred data type is integer
pd.Series(myList).dtype                                                                                                                        
# Out:
# dtype('int64')

myList= ['1', 2, 3]                                                                                                                                     

# data type is object  
pd.Series(myList).dtype                                                                                                                                                                                                                                                                
# Out: 
# dtype('O')

可以将dtype指定为整数:

myList= ['1', 2.2, '3']
mySeries = pd.Series(myList, dtype='int')  
mySeries.dtype                                                                                                                                 
# Out:
# dtype('int64')

但这仅在列表中的所有元素都可以强制转换为所需的数据类型时有效。