C ++中是否有__CLASS__宏?


100

__CLASS__C ++中是否有一个宏,该宏的类名类似于__FUNCTION__提供函数名称的宏

Answers:


67

最接近的是调用typeid(your_class).name()-但这会生成编译器特定的错误名称。

要在课堂上使用它 typeid(*this).name()


2
typeid(* this).name()可在类函数中使用
Aleksei Potov

2
这样更好 至于知道该类,定义char数组听起来比将其推迟到运行时更好。
Michael Krelin-黑客

5
遗憾的是,它没有像__ CLASS __那样定义,在预处理器阶段可以派上用场!:(
k3a 2010年

2
@Max不是,但是可以。它对功能的了解也类似:-P
k3a 2011年

5
@kexik:预处理器也不了解函数,标准__func__和非标准__FUNCTION__都不是宏。Microsoft将文档__FUNCTION__描述为宏,但是它并不是真正的赠品,是当您使用进行编译时,预处理器不会对其进行扩展/P
史蒂夫·杰索普

77

使用的问题typeid(*this).name()this静态方法调用中没有指针。宏__PRETTY_FUNCTION__报告静态函数和方法调用中的类名称。但是,这仅适用于gcc。

这是通过宏样式界面提取信息的示例。

inline std::string methodName(const std::string& prettyFunction)
{
    size_t colons = prettyFunction.find("::");
    size_t begin = prettyFunction.substr(0,colons).rfind(" ") + 1;
    size_t end = prettyFunction.rfind("(") - begin;

    return prettyFunction.substr(begin,end) + "()";
}

#define __METHOD_NAME__ methodName(__PRETTY_FUNCTION__)

巨集__METHOD_NAME__会传回形式的字串<class>::<method>(),并从返回值中剪裁返回类型,修饰符和参数__PRETTY_FUNCTION__

对于仅提取类名称的内容,必须注意捕获没有类的情况:

inline std::string className(const std::string& prettyFunction)
{
    size_t colons = prettyFunction.find("::");
    if (colons == std::string::npos)
        return "::";
    size_t begin = prettyFunction.substr(0,colons).rfind(" ") + 1;
    size_t end = colons - begin;

    return prettyFunction.substr(begin,end);
}

#define __CLASS_NAME__ className(__PRETTY_FUNCTION__)

5
你不应该这样#ifdef __GNU_C__吗?
einpoklum 2014年

1
而不是substr(0,colons).rfind(" ")一个可以用rfind(' ', colons)腾出一个创建一个额外的字符串。
mariusm 2014年

1
我宁愿使用find_last_of(“ ::”),否则该函数将仅在存在一个名称空间时返回一个名称空间
underdoeg 2014年

我写了__METHOD_NAME__宏的范围可能更大的版本。在这里检查。
Antonio

在C ++ 11中,您可以尝试使该constexpr函数成为在编译时对其求值的函数
Andre Holzner,

11

我想建议我从Scott Meyer的“ Effective Modern C ++”中学到的boost :: typeindex,这是一个基本示例:

#include <boost/type_index.hpp>

class foo_bar
{
    int whatever;
};

namespace bti =  boost::typeindex;

template <typename T>
void from_type(T t)
{
    std::cout << "\tT = " << bti::type_id_with_cvr<T>().pretty_name() << "\n";
}

int main()
{
    std::cout << "If you want to print a template type, that's easy.\n";
    from_type(1.0);
    std::cout << "To get it from an object instance, just use decltype:\n";
    foo_bar fb;
    std::cout << "\tfb's type is : "
              << bti::type_id_with_cvr<decltype(fb)>().pretty_name() << "\n";
}

编译为“ g ++ --std = c ++ 14”会产生以下结果

输出量

如果要打印模板类型,这很容易。

T =两倍

要从对象实例获取它,只需使用decltype:

fb的类型是:foo_bar


可以只获取没有名称空间的类名吗?aka coliru.stacked-crooked.com/a/cf1b1a865bb7ecc7
tower120 2016年


7

我认为使用__PRETTY_FUNCTION__虽然包括名称空间(即namespace::classname::functionname直到__CLASS__可用)也足够好。


4

如果您的编译器恰好是g++您,并且__CLASS__因为要获取包括类的当前方法名称的方法而要求,则__PRETTY_FUNCTION__应该有所帮助(根据info gcc5.43节,函数名作为字符串)。


3

如果您需要在编译时实际产生类名的内容,则可以使用C ++ 11来做到这一点:

#define __CLASS__ std::remove_reference<decltype(classMacroImpl(this))>::type

template<class T> T& classMacroImpl(const T* t);

我认识到这与__FUNCTION__我不一样,但是我在寻找这样的答案时找到了这篇文章。:D



2

您可以获得包括类名在内的函数名。这可以处理C型函子。

static std::string methodName(const std::string& prettyFunction)
{
    size_t begin,end;
    end = prettyFunction.find("(");
    begin = prettyFunction.substr(0,end).rfind(" ") + 1;
    end -= begin;
    return prettyFunction.substr(begin,end) + "()";
}

1

我的解决方案:

std::string getClassName(const char* fullFuncName)
{
    std::string fullFuncNameStr(fullFuncName);
    size_t pos = fullFuncNameStr.find_last_of("::");
    if (pos == std::string::npos)
    {
        return "";
    }
    return fullFuncNameStr.substr(0, pos-1);
}

#define __CLASS__ getClassName(__FUNCTION__)

我为Visual C ++ 12工作。


1

这是基于__FUNCTION__宏和C ++模板的解决方案:

template <class T>
class ClassName
{
public:
  static std::string Get()
  {
    // Get function name, which is "ClassName<class T>::Get"
    // The template parameter 'T' is the class name we're looking for
    std::string name = __FUNCTION__;
    // Remove "ClassName<class " ("<class " is 7 characters long)
    size_t pos = name.find_first_of('<');
    if (pos != std::string::npos)
      name = name.substr(pos + 7);
    // Remove ">::Get"
    pos = name.find_last_of('>');
    if (pos != std::string::npos)
      name = name.substr(0, pos);
    return name;
  }
};

template <class T>
std::string GetClassName(const T* _this = NULL)
{
  return ClassName<T>::Get();
}

这是一个如何用于记录器类的示例

template <class T>
class Logger
{
public:
  void Log(int value)
  {
    std::cout << GetClassName<T>()  << ": " << value << std::endl;
    std::cout << GetClassName(this) << ": " << value << std::endl;
  }
};

class Example : protected Logger<Example>
{
public:
  void Run()
  {
    Log(0);
  }
}

的输出Example::Run将是

Example: 0
Logger<Example>: 0

请注意,如果您有指向基础的指针(这可能很好),则这不会考虑多态性。
Lightness Races in Orbit

0

如果您愿意支付指针的成本,那么这很好。

class State 
{
public:
    State( const char* const stateName ) :mStateName( stateName ) {};
    const char* const GetName( void ) { return mStateName; }
private:
    const char * const mStateName;
};

class ClientStateConnected
    : public State
{
public:
    ClientStateConnected( void ) : State( __FUNCTION__ ) {};
};

0

也适用于msvc和gcc

#ifdef _MSC_VER
#define __class_func__ __FUNCTION__
#endif

#ifdef __GNUG__
#include <cxxabi.h>
#include <execinfo.h>
char *class_func(const char *c, const char *f)
{
    int status;
    static char buff[100];
    char *demangled = abi::__cxa_demangle(c, NULL, NULL, &status);
    snprintf(buff, sizeof(buff), "%s::%s", demangled, f);
    free(demangled);
    return buff;
}
#define __class_func__ class_func(typeid(*this).name(), __func__)
#endif

0

上面发布的所有依赖__PRETTY_FUNCTION__do 的解决方案都具有特定的特殊情况,在这些情况下,它们不仅返回类名/类名。例如,考虑以下漂亮函数值:

static std::string PrettyFunctionHelper::Test::testMacro(std::string)

"::"由于函数参数还包含"::"std::string),因此无法使用最后一次出现的as delimter 。您可以找到类似的边缘情况"("作为定界符等等。我发现的唯一解决方案同时使用__FUNCTION____PRETTY_FUNCTION__宏作为参数。这是完整的代码:

namespace PrettyFunctionHelper{
    static constexpr const auto UNKNOWN_CLASS_NAME="UnknownClassName";
    /**
     * @param prettyFunction as obtained by the macro __PRETTY_FUNCTION__
     * @return a string containing the class name at the end, optionally prefixed by the namespace(s).
     * Example return values: "MyNamespace1::MyNamespace2::MyClassName","MyNamespace1::MyClassName" "MyClassName"
     */
    static std::string namespaceAndClassName(const std::string& function,const std::string& prettyFunction){
        //AndroidLogger(ANDROID_LOG_DEBUG,"NoT")<<prettyFunction;
        // Here I assume that the 'function name' does not appear multiple times. The opposite is highly unlikely
        const size_t len1=prettyFunction.find(function);
        if(len1 == std::string::npos)return UNKNOWN_CLASS_NAME;
        // The substring of len-2 contains the function return type and the "namespaceAndClass" area
        const std::string returnTypeAndNamespaceAndClassName=prettyFunction.substr(0,len1-2);
        // find the last empty space in the substring. The values until the first empty space are the function return type
        // for example "void ","std::optional<std::string> ", "static std::string "
        // See how the 3rd example return type also contains a " ".
        // However, it is guaranteed that the area NamespaceAndClassName does not contain an empty space
        const size_t begin1 = returnTypeAndNamespaceAndClassName.rfind(" ");
        if(begin1 == std::string::npos)return UNKNOWN_CLASS_NAME;
        const std::string namespaceAndClassName=returnTypeAndNamespaceAndClassName.substr(begin1+1);
        return namespaceAndClassName;
    }
    /**
     * @param namespaceAndClassName value obtained by namespaceAndClassName()
     * @return the class name only (without namespace prefix if existing)
     */
    static std::string className(const std::string& namespaceAndClassName){
        const size_t end=namespaceAndClassName.rfind("::");
        if(end!=std::string::npos){
            return namespaceAndClassName.substr(end+2);
        }
        return namespaceAndClassName;
    }
    class Test{
    public:
        static std::string testMacro(std::string exampleParam=""){
            const auto namespaceAndClassName=PrettyFunctionHelper::namespaceAndClassName(__FUNCTION__,__PRETTY_FUNCTION__);
            //AndroidLogger(ANDROID_LOG_DEBUG,"NoT2")<<namespaceAndClassName;
            assert(namespaceAndClassName.compare("PrettyFunctionHelper::Test") == 0);
            const auto className=PrettyFunctionHelper::className(namespaceAndClassName);
            //AndroidLogger(ANDROID_LOG_DEBUG,"NoT2")<<className;
            assert(className.compare("Test") == 0);
            return "";
        }
    };
}
#ifndef __CLASS_NAME__
#define __CLASS_NAME__ PrettyFunctionHelper::namespaceAndClassName(__FUNCTION__,__PRETTY_FUNCTION__)
#endif

-2

以下方法(基于上述methodName())也可以处理“ int main(int argc,char ** argv)”之类的输入:

string getMethodName(const string& prettyFunction)
{
    size_t end = prettyFunction.find("(") - 1;
    size_t begin = prettyFunction.substr(0, end).rfind(" ") + 1;

    return prettyFunction.substr(begin, end - begin + 1) + "()";
}
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.