For my logging purpose i want to log all the names of functions where my code is going
Does not matter who is calling the function , i want the the function name in which i declare this line
import inspect
def whoami():
return inspect.stack()[1][3]
def foo():
print(whoami())
currently it prints foo
, i want to print whoami
You probably want inspect.getframeinfo(frame).function
:
import inspect
def whoami():
frame = inspect.currentframe()
return inspect.getframeinfo(frame).function
def foo():
print(whoami())
foo()
prints
whoami
For my logging purpose i want to log all the names of functions where my code is going
Have you considered decorators?
import functools
def logme(f):
@functools.wraps(f)
def wrapped(*args, **kwargs):
print(f.__name__)
return f(*args, **kwargs)
return wrapped
@logme
def myfunction();
print("Doing some stuff")
Actually, Eric's answer points the way if this is about logging:
For my logging purpose i want to log all the names of functions where my code is going
You can adjust the formatter to log the function name:
import logging
def whoami():
logging.info("Now I'm there")
def foo():
logging.info("I'm here")
whoami()
logging.info("I'm back here again")
logging.basicConfig(
format="%(asctime)-15s [%(levelname)s] %(funcName)s: %(message)s",
level=logging.INFO)
foo()
prints
2015-10-16 16:29:34,227 [INFO] foo: I'm here
2015-10-16 16:29:34,227 [INFO] whoami: Now I'm there
2015-10-16 16:29:34,227 [INFO] foo: I'm back here again
Use f_code.co_name
member of the stack frame returned by sys._getframe()
.
sys._getframe(0).f_code.co_name
For example, in a whoami()
function,
import sys
def whoami():
return sys._getframe(1).f_code.co_name
def func1():
print(whoami())
func1() # prints 'func1'