小编典典

查找 Python 对象具有哪些方法

all

给定任何类型的 Python 对象,是否有一种简单的方法可以获取该对象具有的所有方法的列表?

要么,

如果这是不可能的,是否至少有一种简单的方法可以检查它是否具有特定方法,而不是简单地检查调用该方法时是否发生错误?


阅读 106

收藏
2022-03-08

共1个答案

小编典典

对于许多对象 ,您可以使用此代码,将“对象”替换为您感兴趣的对象:

object_methods = [method_name for method_name in dir(object)
                  if callable(getattr(object, method_name))]

我在diveintopython.net上发现了它(现已存档)。希望这应该提供一些进一步的细节!

如果你得到一个AttributeError,你可以使用它来代替

getattr(不能容忍 pandas 风格的 python3.6 抽象虚拟子类。此代码与上面的代码相同,并忽略异常。

import pandas as pd
df = pd.DataFrame([[10, 20, 30], [100, 200, 300]],
                  columns=['foo', 'bar', 'baz'])
def get_methods(object, spacing=20):
  methodList = []
  for method_name in dir(object):
    try:
        if callable(getattr(object, method_name)):
            methodList.append(str(method_name))
    except Exception:
        methodList.append(str(method_name))
  processFunc = (lambda s: ' '.join(s.split())) or (lambda s: s)
  for method in methodList:
    try:
        print(str(method.ljust(spacing)) + ' ' +
              processFunc(str(getattr(object, method).__doc__)[0:90]))
    except Exception:
        print(method.ljust(spacing) + ' ' + ' getattr() failed')

get_methods(df['foo'])
2022-03-08