파이썬 객체가 가지고있는 메소드 찾기


428

어떤 종류의 파이썬 객체가 주어지면이 객체가 가지고있는 모든 메소드의 목록을 얻는 쉬운 방법이 있습니까?

또는,

이것이 가능하지 않은 경우, 메소드가 호출 될 때 단순히 오류가 발생하는지 확인하는 것 이외의 특정 메소드가 있는지 확인하는 쉬운 방법이 있습니까?


답변:


523

많은 객체의 경우이 코드를 사용하여 'object'를 원하는 객체로 대체 할 수 있습니다.

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

diveintopython.net (지금 보관 됨) 에서 발견했습니다 . 바라건대, 더 자세한 내용을 제공해야합니다!

을 얻는 경우 AttributeError대신 다음을 사용할 수 있습니다 .

getattr(팬더 스타일 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: 
        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: 
        print(method.ljust(spacing) + ' ' + ' getattr() failed') 


get_methods(df['foo']) 

3
메소드가 dir (object)에 의해 리턴 된 목록의 항목이고 getattr (object, method)가 호출 가능을 리턴하는 경우에만 각 메소드가 목록에 추가되는 메소드 목록을 리턴하는 목록 이해입니다.
Mnebuerquo

1
이것을 정확히 어떻게 사용합니까? 메서드 목록을 인쇄하십시오.
marsh

12
@marsh 메소드를 인쇄하려면 : print [method for method in dir(object) if callable(getattr(object, method))].
Orienteerix

1
이걸 AttributeError: module 'pandas.core.common' has no attribute 'AbstractMethodError'실행하려고 할 때가 있습니다. stackoverflow.com/q/54713287/9677043 에서 자세한 내용을 참조하십시오 .
Karl Baker

1
Python 3.6의 팬더 데이터 프레임 객체에는 작동하지 않습니다.
Stefan Karlsson

226

내장 dir()함수를 사용하여 모듈의 모든 속성 목록을 가져올 수 있습니다. 명령 행에서이를 시도하여 작동 방식을 확인하십시오.

>>> import moduleName
>>> dir(moduleName)

또한 hasattr(module_name, "attr_name")함수를 사용하여 모듈에 특정 속성이 있는지 확인할 수 있습니다 .

자세한 내용은 Python 내부 검사 안내서를 참조하십시오 .


hasattr유스 케이스가 파이썬 객체에 특정 멤버 변수 또는 메소드가 있는지 찾는 데 도움이되었습니다.
Akshay

이 솔루션이 왜 충분히지지되지 않았는지 잘 모르겠습니다. 간결하고 정확합니다.
Prasad Raghavendra

93

가장 간단한 방법은를 사용하는 것 dir(objectname)입니다. 해당 객체에 사용 가능한 모든 방법이 표시됩니다. 멋진 트릭.


2
또한 객체의 속성을 표시하므로 메소드를 구체적으로 찾으려면 작동하지 않습니다.
eric dec

예. 동의했다. 그러나 메서드 목록 만 가져 오는 다른 기술은 알지 못합니다. 어쩌면 가장 좋은 아이디어는 속성과 메소드의 목록을 가져온 다음 <hasattr (object, "method_name">을 사용하여 더 걸러 낼 수 있습니까?
Pawan Kumar

1
@neuronet, 허용 된 답변을 실행하려고하지만 AttributeError: module 'pandas.core.common' has no attribute 'AbstractMethodError'. 어떤 아이디어? stackoverflow.com/q/54713287/9677043 에서 deets를 참조하십시오 . @Pawan Kumar b / c에 +1하고 답은 효과가 있으며 @ljs는 필터링 된 메소드 목록을 약속합니다.
Karl Baker

30

특정 방법이 있는지 확인하려면 다음을 수행하십시오.

hasattr(object,"method")

14
OP가 단순히 속성이 아닌 방법을 찾고 있기 때문에 다음 단계로 더 if hasattr(obj,method) and callable(getattr(obj,method)):
나아가고

28

나는 당신이 원하는 것이 다음과 같다고 믿습니다.

객체의 속성 목록

저의 겸손한 의견으로는 내장 함수 dir()가이 작업을 수행 할 수 있습니다. help(dir)Python Shell의 출력에서 가져온 것입니다 .

dir (...)

dir([object]) -> list of strings

인수없이 호출 된 경우 현재 범위의 이름을 반환하십시오.

그렇지 않으면, 주어진 객체의 속성과 그로부터 도달 할 수있는 속성을 포함하는 알파벳순으로 된 이름 목록을 반환합니다.

객체가라는 이름의 메소드를 제공하면 __dir__사용됩니다. 그렇지 않으면 기본 dir () 논리가 사용되고 다음을 리턴합니다.

  • 모듈 객체의 경우 : 모듈의 속성.
  • 클래스 객체의 경우 속성과 재귀 적으로 기본 속성입니다.
  • 다른 객체 : 속성, 클래스 속성 및 재귀 적으로 클래스 기본 클래스의 속성.

예를 들면 다음과 같습니다.

$ python
Python 2.7.6 (default, Jun 22 2015, 17:58:13) 
[GCC 4.8.2] on linux2
Type "help", "copyright", "credits" or "license" for more information.

>>> a = "I am a string"
>>>
>>> type(a)
<class 'str'>
>>>
>>> dir(a)
['__add__', '__class__', '__contains__', '__delattr__', '__doc__',
'__eq__', '__format__', '__ge__', '__getattribute__', '__getitem__',
'__getnewargs__', '__getslice__', '__gt__', '__hash__', '__init__',
'__le__', '__len__', '__lt__', '__mod__', '__mul__', '__ne__', '__new__',
'__reduce__', '__reduce_ex__', '__repr__', '__rmod__', '__rmul__',
'__setattr__', '__sizeof__', '__str__', '__subclasshook__',
'_formatter_field_name_split', '_formatter_parser', 'capitalize',
'center', 'count', 'decode', 'encode', 'endswith', 'expandtabs', 'find',
'format', 'index', 'isalnum', 'isalpha', 'isdigit', 'islower', 'isspace',
'istitle', 'isupper', 'join', 'ljust', 'lower', 'lstrip', 'partition',
'replace', 'rfind', 'rindex', 'rjust', 'rpartition', 'rsplit', 'rstrip',
'split', 'splitlines', 'startswith', 'strip', 'swapcase', 'title',
'translate', 'upper', 'zfill']

문제를 확인하면서의 출력 형식을 개선하여 내 생각의 기차를 보여 주기로 결정했습니다 dir().

dir_attributes.py (Python 2.7.6)

#!/usr/bin/python
""" Demonstrates the usage of dir(), with better output. """

__author__ = "ivanleoncz"

obj = "I am a string."
count = 0

print "\nObject Data: %s" % obj
print "Object Type: %s\n" % type(obj)

for method in dir(obj):
    # the comma at the end of the print, makes it printing 
    # in the same line, 4 times (count)
    print "| {0: <20}".format(method),
    count += 1
    if count == 4:
        count = 0
        print

dir_attributes.py (Python 3.4.3)

#!/usr/bin/python3
""" Demonstrates the usage of dir(), with better output. """

__author__ = "ivanleoncz"

obj = "I am a string."
count = 0

print("\nObject Data: ", obj)
print("Object Type: ", type(obj),"\n")

for method in dir(obj):
    # the end=" " at the end of the print statement, 
    # makes it printing in the same line, 4 times (count)
    print("|    {:20}".format(method), end=" ")
    count += 1
    if count == 4:
        count = 0
        print("")

내가 기여하기를 바랍니다 :).


1
기여 했습니까? 당신의 대답은 Python 2.7.12에서 나를 위해 일했습니다. 그래서 그래!
gsamaras

23

더 직접적인 답변 외에도 iPython에 대해 언급하지 않았다면 나는 결심 할 것 입니다. 자동 완성 기능으로 사용 가능한 방법을 보려면 '탭'을 누르십시오.

그리고 일단 방법을 찾으면 다음을 시도하십시오.

help(object.method) 

pydocs, 메소드 서명 등을 보려면

아아 ... 대체 .


12

특별히 메소드를 원한다면 inspect.ismethod 를 사용해야합니다 .

메소드 이름의 경우 :

import inspect
method_names = [attr for attr in dir(self) if inspect.ismethod(getattr(self, attr))]

방법 자체 :

import inspect
methods = [member for member in [getattr(self, attr) for attr in dir(self)] if inspect.ismethod(member)]

때때로 inspect.isroutine"유지"컴파일러 지시어가없는 내장, C 확장, Cython의 경우 에도 유용 할 수 있습니다.


목록 이해 inspect.getmembers에 사용 하는 대신 사용해서는 안 dir됩니까?
보리스

예, 더 좋아 보입니다!
paulmelnikow

11

bash 쉘을 엽니 다 (Ubuntu에서 Ctrl + Alt + T). python3 쉘을 시작하십시오. 방법을 관찰 할 객체를 만듭니다. 그 뒤에 점을 추가하고 "탭"을 두 번 누르면 다음과 같은 내용이 표시됩니다.

 user@note:~$ python3
 Python 3.4.3 (default, Nov 17 2016, 01:08:31) 
 [GCC 4.8.4] on linux
 Type "help", "copyright", "credits" or "license" for more information.
 >>> import readline
 >>> readline.parse_and_bind("tab: complete")
 >>> s = "Any object. Now it's a string"
 >>> s. # here tab should be pressed twice
 s.__add__(           s.__rmod__(          s.istitle(
 s.__class__(         s.__rmul__(          s.isupper(
 s.__contains__(      s.__setattr__(       s.join(
 s.__delattr__(       s.__sizeof__(        s.ljust(
 s.__dir__(           s.__str__(           s.lower(
 s.__doc__            s.__subclasshook__(  s.lstrip(
 s.__eq__(            s.capitalize(        s.maketrans(
 s.__format__(        s.casefold(          s.partition(
 s.__ge__(            s.center(            s.replace(
 s.__getattribute__(  s.count(             s.rfind(
 s.__getitem__(       s.encode(            s.rindex(
 s.__getnewargs__(    s.endswith(          s.rjust(
 s.__gt__(            s.expandtabs(        s.rpartition(
 s.__hash__(          s.find(              s.rsplit(
 s.__init__(          s.format(            s.rstrip(
 s.__iter__(          s.format_map(        s.split(
 s.__le__(            s.index(             s.splitlines(
 s.__len__(           s.isalnum(           s.startswith(
 s.__lt__(            s.isalpha(           s.strip(
 s.__mod__(           s.isdecimal(         s.swapcase(
 s.__mul__(           s.isdigit(           s.title(
 s.__ne__(            s.isidentifier(      s.translate(
 s.__new__(           s.islower(           s.upper(
 s.__reduce__(        s.isnumeric(         s.zfill(
 s.__reduce_ex__(     s.isprintable(       
 s.__repr__(          s.isspace(           

1
이와 같은 해결 방법에 대해 이야기하는 동안, 실행 ipython하고 객체 입력을 시작한 다음을 눌러도 tab작동합니다. Readline 설정이 필요하지 않음
Max Coplan

1
@MaxCoplan 저는 탭 완성 기능이 기본적으로 활성화되어 있지 않은 경우 코드에 대한 해결 방법을 추가했습니다
Valery Ramusik

8

여기에 표시된 모든 방법의 문제점은 방법이 존재하지 않는다는 것을 확신 할 수 없다는 것입니다.

파이썬에서 당신은을 통해 호출 점을 차단할 수 있도록 __getattr__하고 __getattribute__가능 "런타임에"방법을 생성하고,

예 :

class MoreMethod(object):
    def some_method(self, x):
        return x
    def __getattr__(self, *args):
        return lambda x: x*2

그것을 실행하면 객체 사전에 존재하지 않는 메소드를 호출 할 수 있습니다 ...

>>> o = MoreMethod()
>>> o.some_method(5)
5
>>> dir(o)
['__class__', '__delattr__', '__dict__', '__doc__', '__format__', '__getattr__', '__getattribute__', '__hash__', '__init__', '__module__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', '__weakref__', 'some_method']
>>> o.i_dont_care_of_the_name(5)
10

그리고 당신이 사용하는 이유입니다 파이썬에서 권한 패러다임 보다 용서를 구하기 위해 더 쉬움을 입니다.


6

모든 객체의 메소드 목록을 얻는 가장 간단한 방법은 help()명령 을 사용하는 것 입니다.

%help(object)

해당 객체와 관련된 사용 가능한 / 중요한 모든 메소드가 나열됩니다.

예를 들면 다음과 같습니다.

help(str)

무엇을 않는 %첫 번째 예에서합니까? 파이썬 2.7에서는 작동하지 않습니다.
Scorchio

@Scorchio 파이썬 대신 ">>>"프롬프트로 "%"를 사용했습니다. 명령을 실행하기 전에 %를 제거 할 수 있습니다.
Paritosh Vyas

3
import moduleName
for x in dir(moduleName):
print(x)

이것은 작동해야합니다 :)


1

getAttrs객체의 호출 가능한 속성 이름을 반환하는 함수를 만들 수 있습니다

def getAttrs(object):
  return filter(lambda m: callable(getattr(object, m)), dir(object))

print getAttrs('Foo bar'.split(' '))

돌아올거야

['__add__', '__class__', '__contains__', '__delattr__', '__delitem__',
 '__delslice__', '__eq__', '__format__', '__ge__', '__getattribute__', 
 '__getitem__', '__getslice__', '__gt__', '__iadd__', '__imul__', '__init__', 
 '__iter__', '__le__', '__len__', '__lt__', '__mul__', '__ne__', '__new__', 
 '__reduce__', '__reduce_ex__', '__repr__', '__reversed__', '__rmul__', 
 '__setattr__', '__setitem__', '__setslice__', '__sizeof__', '__str__', 
 '__subclasshook__', 'append', 'count', 'extend', 'index', 'insert', 'pop', 
 'remove', 'reverse', 'sort']

1

모든 객체의 메소드를 나열하는 신뢰할 수있는 방법은 없습니다. dir(object)일반적으로 유용하지만 경우에 따라 모든 방법이 나열되지 않을 수도 있습니다. 에 따르면 dir()문서 : "인수와 함께, 시도 할 객체에 대한 유효한 속성의 목록을 반환 할 수 있습니다."

방법이 존재하는지 확인하려면 callable(getattr(object, method))이미 언급 한대로 수행 할 수 있습니다 .


1

리스트를 객체로 가져 오기

obj = []

list(filter(lambda x:callable(getattr(obj,x)),obj.__dir__()))

당신은 얻는다 :

['__add__',
 '__class__',
 '__contains__',
 '__delattr__',
 '__delitem__',
 '__dir__',
 '__eq__',
 '__format__',
 '__ge__',
 '__getattribute__',
 '__getitem__',
 '__gt__',
 '__iadd__',
 '__imul__',
 '__init__',
 '__init_subclass__',
 '__iter__',
 '__le__',
 '__len__',
 '__lt__',
 '__mul__',
 '__ne__',
 '__new__',
 '__reduce__',
 '__reduce_ex__',
 '__repr__',
 '__reversed__',
 '__rmul__',
 '__setattr__',
 '__setitem__',
 '__sizeof__',
 '__str__',
 '__subclasshook__',
 'append',
 'clear',
 'copy',
 'count',
 'extend',
 'index',
 'insert',
 'pop',
 'remove',
 'reverse',
 'sort']


0

전체 모듈에서 특정 방법을 검색하려면

for method in dir(module) :
  if "keyword_of_methode" in method :
   print(method, end="\n")

-1

예를 들어 shell plus를 사용하는 경우 대신 다음을 사용할 수 있습니다.

>> MyObject??

그런 식으로 '??' 객체 바로 뒤에 클래스에있는 모든 속성 / 방법이 표시됩니다.

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.