This is what I have so far:
def get_concrete_name_of_class(klass):
"""Given a class return the concrete name of the class.
klass - The reference to the class we're interested in.
"""
# TODO: How do I check that klass is actually a class?
# even better would be determine if it's old style vs new style
# at the same time and handle things differently below.
# The str of a newstyle class is "<class 'django.forms.CharField'>"
# so we search for the single quotes, and grab everything inside it,
# giving us "django.forms.CharField"
matches = re.search(r"'(.+)'", str(klass))
if matches:
return matches.group(1)
# Old style's classes' str is the concrete class name.
return str(klass)
So this works just fine, but it seems pretty hackish to have to do a regex search on the string of the class. Note that I cannot just do klass().__class__.__name__
(can't deal with args, etc.).
Also, does anyone know how to accomplish the TODO (check if klass
is a class and whether its oldstyle vs new style)?
Any suggestions would be greatly appreciated.
Based on the comments here's what I ended up with:
def get_concrete_name_of_class(klass):
"""Given a class return the concrete name of the class.
klass - The reference to the class we're interested in.
Raises a `TypeError` if klass is not a class.
"""
if not isinstance(klass, (type, ClassType)):
raise TypeError('The klass argument must be a class. Got type %s; %s' % (type(klass), klass))
return '%s.%s' % (klass.__module__, klass.__name__)