是否可以获取传递给模板的函数的名称?
Is it possible to get the name of a function passed to a template?
我尝试在运行时获取 class 方法的名称,该方法被传递给模板化的 class 方法。我想知道更好的跟踪输出的名称。
问题源于我之前问的问题:
我试图通过添加
来获取名称
typeid(func).name()
但结果并不令人满意,因为函数名称总是打印为 *,请参见下面的示例。
我也尝试了不同的编译器(msvc、gcc)和 demangle 选项(abi::__cxa_demangle),但结果总是差不多。
#include <algorithm>
#include <functional>
#include <iostream>
class A
{
public:
void foo(int x) {
std::cout << "Foo: " << x << std::endl;
}
void bar(int x, float y) {
std::cout << "Bar: " << x << ", " << y << std::endl;
}
};
class B
{
public:
void fooAndMore(int x) {
foobarWrapper(&A::foo, x);
}
void barAndMore(int x, float y) {
foobarWrapper(&A::bar, x, y);
}
template<typename T, typename... Args>
void foobarWrapper(T func, Args&&... args)
{
std::cout << "Start!" << std::endl;
auto funcName = typeid(func).name();
std::cout << "Functionname: " << funcName << std::endl;
auto caller = std::mem_fn( func);
caller( A(), args...);
std::cout << "End!" << std::endl;
}
};
int main()
{
B b;
b.fooAndMore(1);
b.barAndMore(2, 3.5f);
}
我期待这样的事情:
Start!
Functionname: void (__thiscall A::foo)(int)
Foo: 1
End!
Start!
Functionname: void (__thiscall A::bar)(int,float)
Bar: 2, 3.5
End!
实际结果:
Start!
Functionname: void (__thiscall A::*)(int)
Foo: 1
End!
Start!
Functionname: void (__thiscall A::*)(int,float)
Bar: 2, 3.5
End!
是否可以获取传递函数的真实名称?
提前致谢!
没有。 typeid
仅对多态对象(即 class 类型的对象,具有虚函数)进行 RTTI。对于所有其他类型,它只会为您提供有关静态类型的信息,在本例中为函数指针类型。 (typeid
对于多态对象利用 vtable 来完成它的工作,但是没有 vtable-like 附加到函数的东西。)
对于 debugging/tracing 这种类型,您需要使用 platform-specific 调试实用程序。
我尝试在运行时获取 class 方法的名称,该方法被传递给模板化的 class 方法。我想知道更好的跟踪输出的名称。
问题源于我之前问的问题:
我试图通过添加
来获取名称typeid(func).name()
但结果并不令人满意,因为函数名称总是打印为 *,请参见下面的示例。
我也尝试了不同的编译器(msvc、gcc)和 demangle 选项(abi::__cxa_demangle),但结果总是差不多。
#include <algorithm>
#include <functional>
#include <iostream>
class A
{
public:
void foo(int x) {
std::cout << "Foo: " << x << std::endl;
}
void bar(int x, float y) {
std::cout << "Bar: " << x << ", " << y << std::endl;
}
};
class B
{
public:
void fooAndMore(int x) {
foobarWrapper(&A::foo, x);
}
void barAndMore(int x, float y) {
foobarWrapper(&A::bar, x, y);
}
template<typename T, typename... Args>
void foobarWrapper(T func, Args&&... args)
{
std::cout << "Start!" << std::endl;
auto funcName = typeid(func).name();
std::cout << "Functionname: " << funcName << std::endl;
auto caller = std::mem_fn( func);
caller( A(), args...);
std::cout << "End!" << std::endl;
}
};
int main()
{
B b;
b.fooAndMore(1);
b.barAndMore(2, 3.5f);
}
我期待这样的事情:
Start!
Functionname: void (__thiscall A::foo)(int)
Foo: 1
End!
Start!
Functionname: void (__thiscall A::bar)(int,float)
Bar: 2, 3.5
End!
实际结果:
Start!
Functionname: void (__thiscall A::*)(int)
Foo: 1
End!
Start!
Functionname: void (__thiscall A::*)(int,float)
Bar: 2, 3.5
End!
是否可以获取传递函数的真实名称?
提前致谢!
没有。 typeid
仅对多态对象(即 class 类型的对象,具有虚函数)进行 RTTI。对于所有其他类型,它只会为您提供有关静态类型的信息,在本例中为函数指针类型。 (typeid
对于多态对象利用 vtable 来完成它的工作,但是没有 vtable-like 附加到函数的东西。)
对于 debugging/tracing 这种类型,您需要使用 platform-specific 调试实用程序。