python – 使用点符号(如DataFrame)访问Pandas Series项

是否可以通过点表示法而不是括号表示法访问系列项目?

s = pandas.Series(dict(a=4, b=4))
print s['a']  # works
print s.a     # fails

我们可以使用DataFrame:

df = pandas.DataFrame([dict(a=4, b=4), dict(a=4, b=4)])
print df['a']  # works
print df.a     # works

最佳答案 我通过重载Series .__ get_attr__方法获得行为:

def my__getattr__(self, key):
    # If attribute is in the self Series instance ...
    if key in self:
        # ... return is as an attribute
        return self[key]
    else:
        # ... raise the usual exception
        raise AttributeError("'Series' object has no attribute '%s'" % key)

# Overwrite current Series attributes 'else' case
pandas.Series.__getattr__ = my__getattr__

然后我可以使用属性访问Seriee项目:

xx = pandas.Series(dict(a=44, b=55))
xx.a
点赞