删除包含整数

时间:2016-11-04 14:25:51

标签: python pandas dataframe series

我有一个带有列

的pandas DataFrame
[Brand, CPL1, CPL4, Part Number, Calendar Year/Month, value, type]

当他们从StatsModels X13中出来时,他们偶尔会在其上下文中没有意义的值中使用非常大的整数字符串表示形式,EG:

[float(1.2), float(1.3), str("63478"), float(1.1)]

如何删除发生这种情况的行?由于它们是整数的字符串表示,我不能使用它们或任何类似的方法。

1 个答案:

答案 0 :(得分:1)

您可以使用boolean indexing检查type是否为string

<强>数据帧

df = pd.DataFrame([[float(1.2), float(1.3), str("63478"), float(1.1)],
                  [float(1.2), float(1.3), float(1.1), str("63478")]]).T

print (df)
      0      1
0    1.2    1.2
1    1.3    1.3
2  63478    1.1
3    1.1  63478

print (df.applymap(lambda x: isinstance(x, str)))
       0      1
0  False  False
1  False  False
2   True  False
3  False   True

print (df.applymap(lambda x: isinstance(x, str)).any(axis=1))
0    False
1    False
2     True
3     True
dtype: bool

print (df[~df.applymap(lambda x: isinstance(x, str)).any(axis=1)])
     0    1
0  1.2  1.2
1  1.3  1.3

<强>系列

s = pd.Series([float(1.2), float(1.3), str("63478"), float(1.1)])
print (s)
0      1.2
1      1.3
2    63478
3      1.1
dtype: object

print (s.apply(lambda x: isinstance(x, str)))
0    False
1    False
2     True
3    False
dtype: bool

print (s[~s.apply(lambda x: isinstance(x, str))])
0    1.2
1    1.3
3    1.1
dtype: object