[python] Python에서 호출 함수 모듈의 __name__ 가져 오기

다음을 myapp/foo.py포함 한다고 가정 합니다.

def info(msg):
    caller_name = ????
    print '[%s] %s' % (caller_name, msg)

다음을 myapp/bar.py포함합니다.

import foo
foo.info('Hello') # => [myapp.bar] Hello

이 경우 호출 함수 모듈 ( ‘myapp.foo’) caller_name__name__속성 으로 설정 하고 싶습니다 . 어떻게 할 수 있습니까?



답변

검사 모듈을 확인하십시오.

inspect.stack() 스택 정보를 반환합니다.

함수 내에서 inspect.stack()[1]호출자의 스택을 반환합니다. 거기에서 호출자의 함수 이름, 모듈 등에 대한 자세한 정보를 얻을 수 있습니다.

자세한 내용은 문서를 참조하십시오.

http://docs.python.org/library/inspect.html

또한 Doug Hellmann은 PyMOTW 시리즈에서 inspect 모듈에 대한 멋진 글을 작성했습니다.

http://pymotw.com/2/inspect/index.html#module-inspect

편집 : 다음은 원하는 작업을 수행하는 코드입니다.

def info(msg):
    frm = inspect.stack()[1]
    mod = inspect.getmodule(frm[0])
    print '[%s] %s' % (mod.__name__, msg)


답변

비슷한 문제에 직면 하여 sys 모듈의 sys._current_frames () 에는 적어도 특정 사용 사례에서 inspect를 가져올 필요없이 도움이 될 수있는 흥미로운 정보가 포함되어 있음을 발견했습니다 .

>>> sys._current_frames()
{4052: <frame object at 0x03200C98>}

그런 다음 f_back 사용하여 “이동”할 수 있습니다.

>>> f = sys._current_frames().values()[0]
>>> # for python3: f = list(sys._current_frames().values())[0]

>>> print f.f_back.f_globals['__file__']
'/base/data/home/apps/apricot/1.6456165165151/caller.py'

>>> print f.f_back.f_globals['__name__']
'__main__'

파일 이름의 경우 위의 Mark Roddy가 제안한대로 f.f_back.f_code.co_filename을 사용할 수도 있습니다. 이 방법의 한계와주의 사항은 확실하지 않지만 (다중 스레드가 문제가 될 가능성이 높음) 제 경우에는 사용하려고합니다.


답변

권장하지 않지만 다음 방법으로 목표를 달성 할 수 있습니다.

def caller_name():
    frame=inspect.currentframe()
    frame=frame.f_back.f_back
    code=frame.f_code
    return code.co_filename

그런 다음 기존 방법을 다음과 같이 업데이트하십시오.

def info(msg):
    caller = caller_name()
    print '[%s] %s' % (caller, msg)


답변