+-
python如何检查字符串是否是字符串列表的元素
参见英文答案 > Check if string is in a pandas dataframe                                    2个
在python中,如何检查字符串是否是字符串列表的元素?

我正在使用的示例数据是:

testData=pd.DataFrame({'value':['abc','cde','fgh']})

那么为什么以下代码的结果为“False”:

testData['value'][0] in testData['value']
最佳答案
您可以使用vectorised str.contains来测试每行中是否存在字符串:

In [262]:
testData['value'].str.contains(testData['value'][0])

Out[262]:
0     True
1    False
2    False
Name: value, dtype: bool

如果你想知道它是否存在于任何一行,那么使用任何:

In [264]:
testData['value'].str.contains(testData['value'][0]).any()

Out[264]:
True

好的,以解决您的上一个问题:

In [270]:
testData['value'][0] in testData['value']

Out[270]:
False

这是因为实现了pd.Series .__ contains__:

def __contains__(self, key):
    """True if the key is in the info axis"""
    return key in self._info_axis

如果我们看一下_info_axis实际上是什么:

In [269]:
testData['value']._info_axis

Out[269]:
RangeIndex(start=0, stop=3, step=1)

然后我们可以看到当我们在testData [‘value’]中执行’abc’时,我们真的在测试’abc’是否实际上在索引中,这就是为什么它返回False

例:

In [271]:
testData=pd.DataFrame({'value':['abc','cde','fgh']}, index=[0, 'turkey',2])
testData

Out[271]:
       value
0        abc
turkey   cde
2        fgh

In [272]:
'turkey' in testData['value']

Out[272]:
True

我们可以看到现在返回True,因为我们正在测试索引中是否存在“turkey”

点击查看更多相关文章

转载注明原文:python如何检查字符串是否是字符串列表的元素 - 乐贴网