在pandas DataFrame中,foo
例如:
>>> foo
col1 col2
0 1 0
1 2 0
2 3 1
如果您想添加一个新列,您可以使用相同的值
>>> foo['col3'] = 1
>>> foo
col1 col2 col3
0 1 0 1
1 2 0 1
2 3 1 1
如果您想添加另一个新列,您可以使用特定值
>>> foo['col4'] = ['a', 'b', 'c']
>>> foo
col1 col2 col3 col4
0 1 0 1 a
1 2 0 1 b
2 3 1 1 c
但我想要做的是将相同的列表添加到每一行作为新列。像
这样的东西>>> myList = [True, False, False, True]
>>> foo['col5'] = {...something something something...}
>>> foo
col1 col2 col3 col4 col5
0 1 0 1 a [True, False, False, True]
1 2 0 1 b [True, False, False, True]
2 3 1 1 c [True, False, False, True]
使用上一个方法会产生ValueError('Length of values does not match length of ' 'index')
。所以目前我的{...something something something...}
行是foo['col5'] = [myList] * foo.shape[0]
。但我想知道,有更好的方法吗?
答案 0 :(得分:3)
使用列表理解。
v = [True, False, False, True]
df['col5'] = [v for _ in range(len(df))]
df
col1 col2 col5
0 1 0 [True, False, False, True]
1 2 0 [True, False, False, True]
2 3 1 [True, False, False, True]
您可能想要使用
df['col5'] = [True, False, False, True] * len(df)
但是,每条记录实际上都引用了相同的列表。试试这个 -
df.loc[0, 'col5'][0] = False
df
col1 col2 col5
0 1 0 [False, False, False, True]
1 2 0 [False, False, False, True]
2 3 1 [False, False, False, True]
您会看到更改反映在所有子列表中。